From d899df8870b2a3a88f991c55995a925e48c36782 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 16:38:29 +0200 Subject: [PATCH 01/50] Do not fill CurrentNeuralHash of staked blocks. --- src/miner.cpp | 8 -------- 1 file changed, 8 deletions(-) diff --git a/src/miner.cpp b/src/miner.cpp index ea96a7581f..0dea2948f8 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -679,14 +679,6 @@ int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) if(sb_contract.empty()) return LogPrintf("AddNeuralContractOrVote: Local Contract Empty\n"); - /* To save network bandwidth, start posting the neural hashes in the - CurrentNeuralHash field, so that out of sync neural network nodes can - request neural data from those that are already synced and agree with the - supermajority over the last 24 hrs - Note: CurrentNeuralHash is not actually used for sb validity - */ - bb.CurrentNeuralHash = sb_hash; - if(!IsNeuralNodeParticipant(bb.GRCAddress, blocknew.nTime)) return LogPrintf("AddNeuralContractOrVote: Not Participating\n"); From c61c0b4170cc0091e22023a9726cef128f3c2b80 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 17:47:10 +0200 Subject: [PATCH 02/50] Add netcmd handlers and querying for superblock forwarding --- src/miner.cpp | 104 ++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 104 insertions(+) diff --git a/src/miner.cpp b/src/miner.cpp index 0dea2948f8..5ef6830375 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -667,6 +667,108 @@ bool SignStakeBlock(CBlock &block, CKey &key, vector &StakeInp return true; } + +/* Super Contract Forwarding */ +namespace supercfwd +{ + std::string sCacheHash; + std::string sBinContract; + + int RequestAnyNode() + { + CNode* pNode= vNodes[rand()%vNodes.size()]; + + if(fDebug) LogPrintf("supercfwd.RequestAnyNode %s requesting neural hash",pNode->addrName); + pNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("neural_hash"), /*reqid*/std::string("supercfwd.rqa")); + + return true; + } + + int MaybeRequest() + { + if(OutOfSyncByAge() || pindexBest->nVersion < 9) + return false; + + //if(!NeedASuperblock()) + //return false; + + /* + if(!IsNeuralNodeParticipant(bb.GRCAddress, blocknew.nTime)) + return false; + */ + + double popularity = 0; + std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + + if(consensus_hash==sCacheHash && !sBinContract.empty()) + return false; + + if(fDebug2) LogPrintf("supercfwd.MaybeRequestHash: requesting"); + RequestAnyNode(); + return true; + } + + void HashResponseHook(CNode* fromNode, const std::string& neural_response) + { + assert(fromNode); + if(neural_response.length() != 32) + return; + const std::string logprefix = "supercfwd.HashResponseHook: from "+fromNode->addrName; + + if(neural_response!=sCacheHash) + { + double popularity = 0; + const std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + + if(neural_response==consensus_hash) + { + if(fDebug) LogPrintf("%s %s requesting contract data",logprefix,neural_response); + fromNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("quorum"), /*reqid*/std::string("supercfwd.hrh")); + } + else + { + if(fDebug) LogPrintf("%s %s not matching consensus",logprefix,neural_response); + //TODO: try another peer faster + } + } + else if(fDebug) LogPrintf("%s %s already cached",logprefix,sCacheHash); + } + + void QuorumResponseHook(CNode* fromNode, const std::string& neural_response) + { + assert(fromNode); + const auto resp_length= neural_response.length(); + + if(resp_length >= 10) + { + const std::string logprefix = "supercfwd.QuorumResponseHook: from "+fromNode->addrName; + const std::string rcvd_contract= UnpackBinarySuperblock(std::move(neural_response)); + const std::string rcvd_hash = GetQuorumHash(rcvd_contract); + + if(rcvd_hash!=sCacheHash) + { + double popularity = 0; + const std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + + if(rcvd_hash==consensus_hash) + { + if(fDebug) LogPrintf("%s good contract save, hash %s",logprefix,rcvd_hash); + sBinContract= PackBinarySuperblock(std::move(rcvd_contract)); + sCacheHash= std::move(rcvd_hash); + //TODO: push hash_nresp to all peers + } + else + { + if(fDebug) LogPrintf("%s %s not matching consensus, bs %d [%s]",logprefix,rcvd_hash,resp_length,rcvd_contract); + //TODO: try another peer faster + } + } + else if(fDebug) LogPrintf("%s %s already cached",logprefix,sCacheHash); + } + //else if(fDebug10) LogPrintf("%s invalid data",logprefix); + } +} + int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) { if(OutOfSyncByAge()) @@ -860,6 +962,8 @@ void StakeMiner(CWallet *pwallet) continue; } + supercfwd::MaybeRequest(); + // Lock main lock since GetNextProject and subsequent calls // require the state to be static. LOCK(cs_main); From a2a8342b9859ed897a8a89f7edc555d390d1b650 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 17:48:52 +0200 Subject: [PATCH 03/50] Reorder AddNeuralContractOrVote and change it to alternatively use forwarded contract --- src/miner.cpp | 49 +++++++++++++++++++++++++++++++++---------------- 1 file changed, 33 insertions(+), 16 deletions(-) diff --git a/src/miner.cpp b/src/miner.cpp index 5ef6830375..bac40c3f44 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -774,13 +774,6 @@ int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) if(OutOfSyncByAge()) return LogPrintf("AddNeuralContractOrVote: Out Of Sync\n"); - /* Retrive the neural Contract */ - const std::string& sb_contract = NN::GetNeuralContract(); - const std::string& sb_hash = GetQuorumHash(sb_contract); - - if(sb_contract.empty()) - return LogPrintf("AddNeuralContractOrVote: Local Contract Empty\n"); - if(!IsNeuralNodeParticipant(bb.GRCAddress, blocknew.nTime)) return LogPrintf("AddNeuralContractOrVote: Not Participating\n"); @@ -796,22 +789,46 @@ int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) int pending_height = RoundFromString(ReadCache("neuralsecurity","pending").value, 0); - /* Add our Neural Vote */ - bb.NeuralHash = sb_hash; - LogPrintf("AddNeuralContractOrVote: Added our Neural Vote %s\n",sb_hash); - if (pending_height>=(pindexBest->nHeight-200)) return LogPrintf("AddNeuralContractOrVote: already Pending\n"); double popularity = 0; std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); - if (consensus_hash!=sb_hash) - return LogPrintf("AddNeuralContractOrVote: not in Consensus\n"); + /* Retrive the neural Contract */ + const std::string& sb_contract = NN::GetNeuralContract(); + const std::string& sb_hash = GetQuorumHash(sb_contract); + + if(!sb_contract.empty()) + { - /* We have consensus, Add our neural contract */ - bb.superblock = PackBinarySuperblock(sb_contract); - LogPrintf("AddNeuralContractOrVote: Added our Superblock (size %" PRIszu ")\n",bb.superblock.length()); + /* Add our Neural Vote */ + bb.NeuralHash = sb_hash; + LogPrintf("AddNeuralContractOrVote: Added our Neural Vote %s\n",sb_hash); + + if (consensus_hash!=sb_hash) + return LogPrintf("AddNeuralContractOrVote: not in Consensus\n"); + + /* We have consensus, Add our neural contract */ + bb.superblock = PackBinarySuperblock(sb_contract); + LogPrintf("AddNeuralContractOrVote: Added our Superblock (size %" PRIszu ")\n",bb.superblock.length()); + } + else + { + LogPrintf("AddNeuralContractOrVote: Local Contract Empty\n"); + + /* Do NOT add a Neural Vote alone, because this hash is not Trusted! */ + + if(!supercfwd::sBinContract.empty() && consensus_hash!=supercfwd::sCacheHash) + { + assert(GetQuorumHash(UnpackBinarySuperblock(supercfwd::sBinContract))==consensus_hash); //disable for performace + + bb.NeuralHash = supercfwd::sCacheHash; + bb.superblock = supercfwd::sBinContract; + LogPrintf("AddNeuralContractOrVote: Added forwarded Superblock (size %" PRIszu ") (hash %s)\n",bb.superblock.length(),bb.NeuralHash); + } + else LogPrintf("AddNeuralContractOrVote: Forwarded Contract Empty\n"); + } return 0; } From 2995770415ab547cb7aa9413bd1704540cdd5720 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 17:49:38 +0200 Subject: [PATCH 04/50] Hook superblock forwarding handlers into main netcode --- src/main.cpp | 6 ++++++ src/miner.h | 7 +++++++ 2 files changed, 13 insertions(+) diff --git a/src/main.cpp b/src/main.cpp index abad9f54c7..eee0932179 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -7216,6 +7216,9 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, // nNeuralNonce must match request ID pfrom->NeuralHash = neural_response; if (fDebug10) LogPrintf("hash_Neural Response %s \n",neural_response); + + // Hook into miner for delegated sb staking + supercfwd::HashResponseHook(pfrom, neural_response); } else if (strCommand == "expmag_nresp") { @@ -7242,6 +7245,9 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, results = NN::ExecuteDotNetStringFunction("ResolveDiscrepancies",neural_contract); if (fDebug && !results.empty()) LogPrintf("Quorum Resolution: %s \n",results); } + + // Hook into miner for delegated sb staking + supercfwd::QuorumResponseHook(pfrom,neural_contract); } else if (strCommand == "ndata_nresp") { diff --git a/src/miner.h b/src/miner.h index 5ac381c27a..64eac24c1b 100644 --- a/src/miner.h +++ b/src/miner.h @@ -31,4 +31,11 @@ struct CMinerStatus extern CMinerStatus MinerStatus; extern unsigned int nMinerSleep; +namespace supercfwd +{ + int MaybeRequest(); + void HashResponseHook(CNode* fromNode, const std::string& neural_response); + void QuorumResponseHook(CNode* fromNode, const std::string& neural_response); +} + #endif // NOVACOIN_MINER_H From a19e7046e7fb2dbbde1716a7a7f5e3c18ce5f2b0 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 18:50:22 +0200 Subject: [PATCH 05/50] Allow sharing forwarded contract and pack the contract when possible. --- src/main.cpp | 11 +++++++++++ src/miner.cpp | 25 ++++++++++++++++++++++--- src/miner.h | 1 + 3 files changed, 34 insertions(+), 3 deletions(-) diff --git a/src/main.cpp b/src/main.cpp index eee0932179..6bf91e036a 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -7116,6 +7116,12 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, } else if (neural_request=="neural_hash") { + if(0==neural_request_id.compare(0,13,"supercfwd.rqa")) + { + std::string r_hash; vRecv >> r_hash; + supercfwd::SendResponse(pfrom,r_hash); + } + else pfrom->PushMessage("hash_nresp", NN::GetNeuralHash()); } else if (neural_request=="explainmag") @@ -7130,6 +7136,11 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, NN::SetTestnetFlag(fTestNet); pfrom->PushMessage("quorum_nresp", NN::GetNeuralContract()); } + else if (neural_request=="supercfwdr") + { + // this command could be done by reusing quorum_nresp, but I do not want to confuse the NN + supercfwd::QuorumResponseHook(pfrom,neural_request_id); + } } else if (strCommand == "ping") { diff --git a/src/miner.cpp b/src/miner.cpp index bac40c3f44..95e19c0032 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -674,12 +674,13 @@ namespace supercfwd std::string sCacheHash; std::string sBinContract; - int RequestAnyNode() + int RequestAnyNode(const std::string& consensus_hash) { CNode* pNode= vNodes[rand()%vNodes.size()]; if(fDebug) LogPrintf("supercfwd.RequestAnyNode %s requesting neural hash",pNode->addrName); - pNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("neural_hash"), /*reqid*/std::string("supercfwd.rqa")); + pNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("neural_hash"), + /*reqid*/std::string("supercfwd.rqa"), consensus_hash); return true; } @@ -704,7 +705,7 @@ namespace supercfwd return false; if(fDebug2) LogPrintf("supercfwd.MaybeRequestHash: requesting"); - RequestAnyNode(); + RequestAnyNode(consensus_hash); return true; } @@ -767,6 +768,24 @@ namespace supercfwd } //else if(fDebug10) LogPrintf("%s invalid data",logprefix); } + void SendResponse(CNode* fromNode, const std::string& req_hash) + { + const std::string nn_hash(NN::GetNeuralHash()); + if(req_hash==sCacheHash) + { + fromNode->PushMessage("neural", std::string("supercfwdr"), + sBinContract); + } + else if(req_hash==nn_hash) + { + fromNode->PushMessage("neural", std::string("supercfwdr"), + PackBinarySuperblock(NN::GetNeuralContract())); + } + else + { + fromNode->PushMessage("hash_nresp", nn_hash, std::string()); + } + } } int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) diff --git a/src/miner.h b/src/miner.h index 64eac24c1b..b2cf70e457 100644 --- a/src/miner.h +++ b/src/miner.h @@ -36,6 +36,7 @@ namespace supercfwd int MaybeRequest(); void HashResponseHook(CNode* fromNode, const std::string& neural_response); void QuorumResponseHook(CNode* fromNode, const std::string& neural_response); + void SendResponse(CNode* fromNode, const std::string& req_hash); } #endif // NOVACOIN_MINER_H From fc31cf71b1b823787fd93774e23e6814ac8d4d12 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 19:05:02 +0200 Subject: [PATCH 06/50] Logging adjustment --- src/miner.cpp | 23 ++++++++++++++--------- 1 file changed, 14 insertions(+), 9 deletions(-) diff --git a/src/miner.cpp b/src/miner.cpp index 95e19c0032..4c72121998 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -714,7 +714,7 @@ namespace supercfwd assert(fromNode); if(neural_response.length() != 32) return; - const std::string logprefix = "supercfwd.HashResponseHook: from "+fromNode->addrName; + const std::string logprefix = "supercfwd.HashResponseHook: from "+fromNode->addrName+" hash "+neural_response; if(neural_response!=sCacheHash) { @@ -723,16 +723,16 @@ namespace supercfwd if(neural_response==consensus_hash) { - if(fDebug) LogPrintf("%s %s requesting contract data",logprefix,neural_response); + if(fDebug) LogPrintf("%s requesting contract data",logprefix); fromNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("quorum"), /*reqid*/std::string("supercfwd.hrh")); } else { - if(fDebug) LogPrintf("%s %s not matching consensus",logprefix,neural_response); + if(fDebug) LogPrintf("%s not matching consensus",logprefix); //TODO: try another peer faster } } - else if(fDebug) LogPrintf("%s %s already cached",logprefix,sCacheHash); + else if(fDebug) LogPrintf("%s already cached",logprefix); } void QuorumResponseHook(CNode* fromNode, const std::string& neural_response) @@ -742,9 +742,9 @@ namespace supercfwd if(resp_length >= 10) { - const std::string logprefix = "supercfwd.QuorumResponseHook: from "+fromNode->addrName; const std::string rcvd_contract= UnpackBinarySuperblock(std::move(neural_response)); const std::string rcvd_hash = GetQuorumHash(rcvd_contract); + const std::string logprefix = "supercfwd.QuorumResponseHook: from "+fromNode->addrName + " hash "+rcvd_hash; if(rcvd_hash!=sCacheHash) { @@ -753,36 +753,41 @@ namespace supercfwd if(rcvd_hash==consensus_hash) { - if(fDebug) LogPrintf("%s good contract save, hash %s",logprefix,rcvd_hash); + if(fDebug) LogPrintf("%s good contract save",logprefix); sBinContract= PackBinarySuperblock(std::move(rcvd_contract)); sCacheHash= std::move(rcvd_hash); //TODO: push hash_nresp to all peers } else { - if(fDebug) LogPrintf("%s %s not matching consensus, bs %d [%s]",logprefix,rcvd_hash,resp_length,rcvd_contract); + if(fDebug) LogPrintf("%s not matching consensus, (size %d)",logprefix,resp_length); //TODO: try another peer faster } } - else if(fDebug) LogPrintf("%s %s already cached",logprefix,sCacheHash); + else if(fDebug) LogPrintf("%s already cached",logprefix); } //else if(fDebug10) LogPrintf("%s invalid data",logprefix); } void SendResponse(CNode* fromNode, const std::string& req_hash) { const std::string nn_hash(NN::GetNeuralHash()); + const bool& fDebug10= fDebug; //temporary if(req_hash==sCacheHash) { + if(fDebug10) LogPrint("supercfwd.SendResponse: %s requested %s, sending forwarded binary contract (size %d)",fromNode->addrName,req_hash,sBinContract.length()); fromNode->PushMessage("neural", std::string("supercfwdr"), sBinContract); } else if(req_hash==nn_hash) { + std::string nn_data= PackBinarySuperblock(NN::GetNeuralContract()); + if(fDebug10) LogPrint("supercfwd.SendResponse: %s requested %s, sending our nn binary contract (size %d)",fromNode->addrName,req_hash,nn_data.length()); fromNode->PushMessage("neural", std::string("supercfwdr"), - PackBinarySuperblock(NN::GetNeuralContract())); + std::move(nn_data)); } else { + if(fDebug10) LogPrint("supercfwd.SendResponse: to %s don't have %s, sending %s",fromNode->addrName,req_hash,nn_hash); fromNode->PushMessage("hash_nresp", nn_hash, std::string()); } } From 8756548006c7e075a547f22806ac8876bdee4812 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 19:10:19 +0200 Subject: [PATCH 07/50] Fix mistakes. --- src/miner.cpp | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/src/miner.cpp b/src/miner.cpp index 4c72121998..d37672fbaf 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -690,8 +690,8 @@ namespace supercfwd if(OutOfSyncByAge() || pindexBest->nVersion < 9) return false; - //if(!NeedASuperblock()) - //return false; + if(!NeedASuperblock()) + return false; /* if(!IsNeuralNodeParticipant(bb.GRCAddress, blocknew.nTime)) @@ -774,20 +774,20 @@ namespace supercfwd const bool& fDebug10= fDebug; //temporary if(req_hash==sCacheHash) { - if(fDebug10) LogPrint("supercfwd.SendResponse: %s requested %s, sending forwarded binary contract (size %d)",fromNode->addrName,req_hash,sBinContract.length()); + if(fDebug10) LogPrintf("supercfwd.SendResponse: %s requested %s, sending forwarded binary contract (size %d)",fromNode->addrName,req_hash,sBinContract.length()); fromNode->PushMessage("neural", std::string("supercfwdr"), sBinContract); } else if(req_hash==nn_hash) { std::string nn_data= PackBinarySuperblock(NN::GetNeuralContract()); - if(fDebug10) LogPrint("supercfwd.SendResponse: %s requested %s, sending our nn binary contract (size %d)",fromNode->addrName,req_hash,nn_data.length()); + if(fDebug10) LogPrintf("supercfwd.SendResponse: %s requested %s, sending our nn binary contract (size %d)",fromNode->addrName,req_hash,nn_data.length()); fromNode->PushMessage("neural", std::string("supercfwdr"), std::move(nn_data)); } else { - if(fDebug10) LogPrint("supercfwd.SendResponse: to %s don't have %s, sending %s",fromNode->addrName,req_hash,nn_hash); + if(fDebug10) LogPrintf("supercfwd.SendResponse: to %s don't have %s, sending %s",fromNode->addrName,req_hash,nn_hash); fromNode->PushMessage("hash_nresp", nn_hash, std::string()); } } From 13aed393267cb96d70f03f7416b11f44d9cc0f93 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Sun, 22 Apr 2018 19:27:58 +0200 Subject: [PATCH 08/50] revert: Do not fill CurrentNeuralHash of staked blocks. --- src/miner.cpp | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/src/miner.cpp b/src/miner.cpp index d37672fbaf..5cac5a91a0 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -826,6 +826,14 @@ int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) if(!sb_contract.empty()) { + /* To save network bandwidth, start posting the neural hashes in the + CurrentNeuralHash field, so that out of sync neural network nodes can + request neural data from those that are already synced and agree with the + supermajority over the last 24 hrs + Note: CurrentNeuralHash is not actually used for sb validity + */ + bb.CurrentNeuralHash = sb_hash; + /* Add our Neural Vote */ bb.NeuralHash = sb_hash; LogPrintf("AddNeuralContractOrVote: Added our Neural Vote %s\n",sb_hash); From cc4e31e812389817bffe95d0d45cfa7d41c3ad41 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Thu, 26 Apr 2018 17:51:31 +0200 Subject: [PATCH 09/50] Fix inverted comparison operator and log. --- src/miner.cpp | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/src/miner.cpp b/src/miner.cpp index 5cac5a91a0..70a6078c5e 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -714,6 +714,8 @@ namespace supercfwd assert(fromNode); if(neural_response.length() != 32) return; + if("d41d8cd98f00b204e9800998ecf8427e"==neural_response) + return; const std::string logprefix = "supercfwd.HashResponseHook: from "+fromNode->addrName+" hash "+neural_response; if(neural_response!=sCacheHash) @@ -851,7 +853,7 @@ int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) /* Do NOT add a Neural Vote alone, because this hash is not Trusted! */ - if(!supercfwd::sBinContract.empty() && consensus_hash!=supercfwd::sCacheHash) + if(!supercfwd::sBinContract.empty() && consensus_hash==supercfwd::sCacheHash) { assert(GetQuorumHash(UnpackBinarySuperblock(supercfwd::sBinContract))==consensus_hash); //disable for performace @@ -859,7 +861,7 @@ int AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) bb.superblock = supercfwd::sBinContract; LogPrintf("AddNeuralContractOrVote: Added forwarded Superblock (size %" PRIszu ") (hash %s)\n",bb.superblock.length(),bb.NeuralHash); } - else LogPrintf("AddNeuralContractOrVote: Forwarded Contract Empty\n"); + else LogPrintf("AddNeuralContractOrVote: Forwarded Contract Empty or not in Consensus\n"); } return 0; From 5bb5db0546535c44257f9a35068e4be7476b7796 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Thu, 26 Apr 2018 18:42:23 +0200 Subject: [PATCH 10/50] Push hash_nresp when consensus contract rcvd --- src/miner.cpp | 20 +++++++++++++++++++- 1 file changed, 19 insertions(+), 1 deletion(-) diff --git a/src/miner.cpp b/src/miner.cpp index 70a6078c5e..a6ba4dfe39 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -709,6 +709,22 @@ namespace supercfwd return true; } + int SendOutRcvdHash() + { + for (auto const& pNode : vNodes) + { + const bool bNeural= Contains(pNode->strSubVer, "1999"); + const bool bParticip= IsNeuralNodeParticipant(pNode->sGRCAddress, GetAdjustedTime()); + if(bParticip && !bNeural) + { + if(fDebug) LogPrintf("supercfwd.SendOutRcvdHash to %s",pNode->addrName); + pNode->PushMessage("hash_nresp", sCacheHash, std::string("supercfwd.sorh")); + //pNode->PushMessage("neural", std::string("supercfwdr"), sBinContract); + } + } + return true; + } + void HashResponseHook(CNode* fromNode, const std::string& neural_response) { assert(fromNode); @@ -758,7 +774,9 @@ namespace supercfwd if(fDebug) LogPrintf("%s good contract save",logprefix); sBinContract= PackBinarySuperblock(std::move(rcvd_contract)); sCacheHash= std::move(rcvd_hash); - //TODO: push hash_nresp to all peers + + if(!fNoListen) + SendOutRcvdHash(); } else { From 773769bdb375354209c2ddeb2f41328b0f8cd992 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Thu, 26 Apr 2018 18:42:39 +0200 Subject: [PATCH 11/50] Add node locks --- src/miner.cpp | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/miner.cpp b/src/miner.cpp index a6ba4dfe39..d15221b0ad 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -676,6 +676,7 @@ namespace supercfwd int RequestAnyNode(const std::string& consensus_hash) { + LOCK(cs_vNodes); CNode* pNode= vNodes[rand()%vNodes.size()]; if(fDebug) LogPrintf("supercfwd.RequestAnyNode %s requesting neural hash",pNode->addrName); @@ -711,6 +712,7 @@ namespace supercfwd int SendOutRcvdHash() { + LOCK(cs_vNodes); for (auto const& pNode : vNodes) { const bool bNeural= Contains(pNode->strSubVer, "1999"); From 1ad1b4cf01e772636971e8173add45e6d1d50c1d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Thu, 26 Apr 2018 19:03:59 +0200 Subject: [PATCH 12/50] Add opt-out for supercfwd --- src/miner.cpp | 11 ++++++++++- 1 file changed, 10 insertions(+), 1 deletion(-) diff --git a/src/miner.cpp b/src/miner.cpp index d15221b0ad..97c48c732e 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -673,6 +673,7 @@ namespace supercfwd { std::string sCacheHash; std::string sBinContract; + bool fEnable(false); int RequestAnyNode(const std::string& consensus_hash) { @@ -688,6 +689,9 @@ namespace supercfwd int MaybeRequest() { + if(!fEnable) + return false; + if(OutOfSyncByAge() || pindexBest->nVersion < 9) return false; @@ -730,6 +734,8 @@ namespace supercfwd void HashResponseHook(CNode* fromNode, const std::string& neural_response) { assert(fromNode); + if(!fEnable) + return; if(neural_response.length() != 32) return; if("d41d8cd98f00b204e9800998ecf8427e"==neural_response) @@ -760,7 +766,7 @@ namespace supercfwd assert(fromNode); const auto resp_length= neural_response.length(); - if(resp_length >= 10) + if(fEnable && resp_length >= 10) { const std::string rcvd_contract= UnpackBinarySuperblock(std::move(neural_response)); const std::string rcvd_hash = GetQuorumHash(rcvd_contract); @@ -1004,6 +1010,9 @@ void StakeMiner(CWallet *pwallet) MinerAutoUnlockFeature(pwallet); + supercfwd::fEnable= GetBoolArg("-supercfwd",true); + if(fDebug) LogPrintf("supercfwd::fEnable= %d",supercfwd::fEnable); + while (!fShutdown) { //wait for next round From 5dadd6163d32d68b92f03ea5860629402d1cb04e Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Thu, 26 Apr 2018 19:04:52 +0200 Subject: [PATCH 13/50] Supercfwd Log Adjustment. --- src/miner.cpp | 5 +++-- 1 file changed, 3 insertions(+), 2 deletions(-) diff --git a/src/miner.cpp b/src/miner.cpp index 97c48c732e..fedc538b1c 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -677,10 +677,11 @@ namespace supercfwd int RequestAnyNode(const std::string& consensus_hash) { + const bool& fDebug10= fDebug; //temporary LOCK(cs_vNodes); CNode* pNode= vNodes[rand()%vNodes.size()]; - if(fDebug) LogPrintf("supercfwd.RequestAnyNode %s requesting neural hash",pNode->addrName); + if(fDebug10) LogPrintf("supercfwd.RequestAnyNode %s requesting neural hash",pNode->addrName); pNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("neural_hash"), /*reqid*/std::string("supercfwd.rqa"), consensus_hash); @@ -779,7 +780,7 @@ namespace supercfwd if(rcvd_hash==consensus_hash) { - if(fDebug) LogPrintf("%s good contract save",logprefix); + LogPrintf("%s good contract save",logprefix); sBinContract= PackBinarySuperblock(std::move(rcvd_contract)); sCacheHash= std::move(rcvd_hash); From 571a92b174a40cf72cc4d8b395fd177be81b3f25 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Tom=C3=A1=C5=A1=20Brada?= Date: Thu, 26 Apr 2018 22:26:54 +0200 Subject: [PATCH 14/50] Do not request if no popular hash exist. --- src/miner.cpp | 3 +++ 1 file changed, 3 insertions(+) diff --git a/src/miner.cpp b/src/miner.cpp index fedc538b1c..515846db8d 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -710,6 +710,9 @@ namespace supercfwd if(consensus_hash==sCacheHash && !sBinContract.empty()) return false; + if(popularity<=0) + return false; + if(fDebug2) LogPrintf("supercfwd.MaybeRequestHash: requesting"); RequestAnyNode(consensus_hash); return true; From 85d90b52f0989d656cd8ba41194b67a002f7354b Mon Sep 17 00:00:00 2001 From: Marco Nilsson Date: Fri, 20 Jul 2018 07:51:44 +0200 Subject: [PATCH 15/50] Fix indentation. --- src/main.cpp | 58 ++++++++++++++++++++++++++-------------------------- 1 file changed, 29 insertions(+), 29 deletions(-) diff --git a/src/main.cpp b/src/main.cpp index cb69157492..08d36a10ef 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -320,56 +320,56 @@ bool TimerMain(std::string timer_name, int max_ms) bool UpdateNeuralNetworkQuorumData() { - if (!bGlobalcomInitialized) return false; + if (!bGlobalcomInitialized) return false; int64_t superblock_time = ReadCache("superblock", "magnitudes").timestamp; int64_t superblock_age = GetAdjustedTime() - superblock_time; - std::string myNeuralHash = ""; - double popularity = 0; - std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); - std::string sAge = ToString(superblock_age); + std::string myNeuralHash = ""; + double popularity = 0; + std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + std::string sAge = ToString(superblock_age); std::string sBlock = ReadCache("superblock", "block_number").value; std::string sTimestamp = TimestampToHRDate(superblock_time); - std::string data = "" + sAge + "" + consensus_hash + "" + sBlock + "" - + sTimestamp + "" + msPrimaryCPID + ""; + std::string data = "" + sAge + "" + consensus_hash + "" + sBlock + "" + + sTimestamp + "" + msPrimaryCPID + ""; NN::ExecuteDotNetStringFunction("SetQuorumData",data); - return true; + return true; } bool FullSyncWithDPORNodes() { if(!NN::IsEnabled()) return false; - // 3-30-2016 : First try to get the master database from another neural network node if these conditions occur: - // The foreign node is fully synced. The foreign nodes quorum hash matches the supermajority hash. My hash != supermajority hash. - double dCurrentPopularity = 0; - std::string sCurrentNeuralSupermajorityHash = GetCurrentNeuralNetworkSupermajorityHash(dCurrentPopularity); - std::string sMyNeuralHash = ""; + // 3-30-2016 : First try to get the master database from another neural network node if these conditions occur: + // The foreign node is fully synced. The foreign nodes quorum hash matches the supermajority hash. My hash != supermajority hash. + double dCurrentPopularity = 0; + std::string sCurrentNeuralSupermajorityHash = GetCurrentNeuralNetworkSupermajorityHash(dCurrentPopularity); + std::string sMyNeuralHash = ""; sMyNeuralHash = NN::GetNeuralHash(); - if (!sMyNeuralHash.empty() && !sCurrentNeuralSupermajorityHash.empty() && sMyNeuralHash != sCurrentNeuralSupermajorityHash) - { - bool bNodeOnline = RequestSupermajorityNeuralData(); - if (bNodeOnline) return false; // Async call to another node will continue after the node responds. - } - std::string errors1; - LoadAdminMessages(false,errors1); - + if (!sMyNeuralHash.empty() && !sCurrentNeuralSupermajorityHash.empty() && sMyNeuralHash != sCurrentNeuralSupermajorityHash) + { + bool bNodeOnline = RequestSupermajorityNeuralData(); + if (bNodeOnline) return false; // Async call to another node will continue after the node responds. + } + std::string errors1; + LoadAdminMessages(false,errors1); + const int64_t iEndTime= (GetAdjustedTime()-CONSENSUS_LOOKBACK) - ( (GetAdjustedTime()-CONSENSUS_LOOKBACK) % BLOCK_GRANULARITY); const int64_t nLookback = 30 * 6 * 86400; const int64_t iStartTime = (iEndTime - nLookback) - ( (iEndTime - nLookback) % BLOCK_GRANULARITY); std::string cpiddata = GetListOf("beacon", iStartTime, iEndTime); - std::string sWhitelist = GetListOf("project"); + std::string sWhitelist = GetListOf("project"); int64_t superblock_time = ReadCache("superblock", "magnitudes").timestamp; int64_t superblock_age = GetAdjustedTime() - superblock_time; - double popularity = 0; - std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); - std::string sAge = ToString(superblock_age); + double popularity = 0; + std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + std::string sAge = ToString(superblock_age); std::string sBlock = ReadCache("superblock", "block_number").value; std::string sTimestamp = TimestampToHRDate(superblock_time); - std::string data = "" + sWhitelist + "" - + cpiddata + "" + sAge + "" + consensus_hash + "" + sBlock + "" - + sTimestamp + "" + msPrimaryCPID + ""; + std::string data = "" + sWhitelist + "" + + cpiddata + "" + sAge + "" + consensus_hash + "" + sBlock + "" + + sTimestamp + "" + msPrimaryCPID + ""; NN::SynchronizeDPOR(data); - return true; + return true; } double GetEstimatedNetworkWeight(unsigned int nPoSInterval) From 839e253a413bdb2a06220676fc0f4d65845c6f91 Mon Sep 17 00:00:00 2001 From: Marco Nilsson Date: Fri, 20 Jul 2018 07:59:58 +0200 Subject: [PATCH 16/50] Clean up whitespace. --- src/main.cpp | 178 +++++++++++++++++++++++++-------------------------- 1 file changed, 89 insertions(+), 89 deletions(-) diff --git a/src/main.cpp b/src/main.cpp index 08d36a10ef..63b7e00290 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -352,7 +352,7 @@ bool FullSyncWithDPORNodes() } std::string errors1; LoadAdminMessages(false,errors1); - + const int64_t iEndTime= (GetAdjustedTime()-CONSENSUS_LOOKBACK) - ( (GetAdjustedTime()-CONSENSUS_LOOKBACK) % BLOCK_GRANULARITY); const int64_t nLookback = 30 * 6 * 86400; const int64_t iStartTime = (iEndTime - nLookback) - ( (iEndTime - nLookback) % BLOCK_GRANULARITY); @@ -402,7 +402,7 @@ double GetAverageDifficulty(unsigned int nPoSInterval) * Also... The number of stakes to include in the average has been reduced to 40 (default) from 72. * 72 stakes represented 1.8 hours at standard spacing. This is too long. 40 blocks is nominally 1 hour. */ - + double dDiff = 1.0; double dDiffSum = 0.0; unsigned int nStakesHandled = 0; @@ -415,7 +415,7 @@ double GetAverageDifficulty(unsigned int nPoSInterval) if (pindex->IsProofOfStake()) { dDiff = GetDifficulty(pindex); - // dDiff should never be zero, but just in case, skip the block and move to the next one. + // dDiff should never be zero, but just in case, skip the block and move to the next one. if (dDiff) { dDiffSum += dDiff; @@ -437,16 +437,16 @@ double GetAverageDifficulty(unsigned int nPoSInterval) double GetEstimatedTimetoStake(double dDiff, double dConfidence) { /* - * The algorithm below is an attempt to come up with a more accurate way of estimating Time to Stake (ETTS) based on + * The algorithm below is an attempt to come up with a more accurate way of estimating Time to Stake (ETTS) based on * the actual situation of the miner and UTXO's. A simple equation will not provide good results, because in mainnet, - * the cooldown period is 16 hours, and depending on how many UTXO's and where they are with respect to getting out of + * the cooldown period is 16 hours, and depending on how many UTXO's and where they are with respect to getting out of * cooldown has a lot to do with the expected time to stake. * * The way to conceptualize the approach below is to think of the UTXO's as bars on a Gantt Chart. It is a negative Gantt * chart, meaning that each UTXO bar is cooldown period long, and while the current time is in that bar, the staking probability * for the UTXO is zero, and UnitStakingProbability elsewhere. A timestamp mask of 16x the normal mask is used to reduce * the work in the nested loop, so that a 16 hour interval will have a maximum of 225 events, and most likely far less. - * This is important, because the inner loop will be the number of UTXO's. A future improvement to this algorithm would + * This is important, because the inner loop will be the number of UTXO's. A future improvement to this algorithm would * also be to quantize (group) the UTXO's themselves (the Gantt bars) so that the work would be further reduced. * You will see that once the UTXO's are sorted in ascending order based on the time of the end of each of their cooldowns, this * becomes a manageable algorithm to piece the probabilities together. @@ -481,7 +481,7 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) int64_t nValue = 0; int64_t nCurrentTime = GetAdjustedTime(); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: nCurrentTime = %i", nCurrentTime); - + CTxDB txdb("r"); // Here I am defining a time mask 16 times as long as the normal stake time mask. This is to quantize the UTXO's into a maximum of @@ -492,14 +492,14 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) int64_t BalanceAvailForStaking = 0; vector vCoins; - + { LOCK2(cs_main, pwalletMain->cs_wallet); - + BalanceAvailForStaking = pwalletMain->GetBalance() - nReserveBalance; if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: BalanceAvailForStaking = %u", BalanceAvailForStaking); - + // Get out early if no balance available and set return value of 0. This should already have happened above, because with no // balance left after reserve, staking should be disabled; however, just to be safe... if (BalanceAvailForStaking <= 0) @@ -512,7 +512,7 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) pwalletMain->AvailableCoins(vCoins, true, NULL, true); } - + // An efficient local structure to store the UTXO's with the bare minimum info we need. typedef vector< std::pair > vCoinsExt; vCoinsExt vUTXO; @@ -521,7 +521,7 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) std::set UniqueUTXOTimes; // We want the first "event" to be the CurrentTime. This does not have to be quantized. UniqueUTXOTimes.insert(nCurrentTime); - + // Debug output cooldown... if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: nStakeMinAge = %i", nStakeMinAge); @@ -529,12 +529,12 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) // GetAverageDifficulty(40), otherwise let supplied argument dDiff stand. if (!dDiff) dDiff = GetAverageDifficulty(40); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: dDiff = %f", dDiff); - + // The stake probability per "throw" of 1 weight unit = target value at diff of 1.0 / (maxhash * diff). This happens effectively every STAKE_TIMESTAMP_MASK+1 sec. double dUnitStakeProbability = 1 / (4295032833.0 * dDiff); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: dUnitStakeProbability = %e", dUnitStakeProbability); - + int64_t nTime = 0; for (const auto& out : vCoins) { @@ -542,21 +542,21 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) CBlock CoinBlock; //Block which contains CoinTx if (!txdb.ReadTxIndex(out.tx->GetHash(), txindex)) continue; //error? - + if (!CoinBlock.ReadFromDisk(txindex.pos.nFile, txindex.pos.nBlockPos, false)) continue; // We are going to store as an event the time that the UTXO matures (is available for staking again.) nTime = (CoinBlock.GetBlockTime() & ~ETTS_TIMESTAMP_MASK) + nStakeMinAge; - + nValue = out.tx->vout[out.i].nValue; - + // Only consider UTXO's that are actually stakeable - which means that each one must be less than the available balance // subtracting the reserve. Each UTXO also has to be greater than 1/80 GRC to result in a weight greater than zero in the CreateCoinStake loop, // so eliminate UTXO's with less than 0.0125 GRC balances right here. The test with Satoshi units for that is // nValue >= 1250000. if(BalanceAvailForStaking >= nValue && nValue >= 1250000) - { + { vUTXO.push_back(std::pair( nTime, nValue)); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: pair (relative to current time: <%i, %i>", nTime - nCurrentTime, nValue); @@ -566,7 +566,7 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) } } - + int64_t nTimePrev = nCurrentTime; int64_t nDeltaTime = 0; int64_t nThrows = 0; @@ -580,15 +580,15 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) // CDF.k = 1 - (1 - p)^k where ^ is exponentiation. for(const auto& itertime : UniqueUTXOTimes) { - + nTime = itertime; dProbAccumulator = 0; - + for( auto& iterUTXO : vUTXO) { - + if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: Unique UTXO Time: %u, vector pair <%u, %u>", nTime, iterUTXO.first, iterUTXO.second); - + // If the "negative Gantt chart bar" is ending or has ended for a UTXO, it now accumulates probability. (I.e. the event time being checked // is greater than or equal to the cooldown expiration of the UTXO.) // accumulation for that UTXO. @@ -596,7 +596,7 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) { // The below weight calculation is just like the CalculateStakeWeightV8 in kernel.cpp. nCoinWeight = iterUTXO.second / 1250000; - + dProbAccumulator = 1 - ((1 - dProbAccumulator) * (1 - (dUnitStakeProbability * nCoinWeight))); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: dProbAccumulator = %e", dProbAccumulator); } @@ -607,10 +607,10 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: nThrows = %i", nThrows); dCumulativeProbability = 1 - ((1 - dCumulativeProbability) * pow((1 - dProbAccumulator), nThrows)); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: dCumulativeProbability = %e", dCumulativeProbability); - + if(dCumulativeProbability >= dConfidence) break; - + nTimePrev = nTime; } @@ -622,22 +622,22 @@ double GetEstimatedTimetoStake(double dDiff, double dConfidence) // dCumulativeProbability and dConfidence. If (dConfidence - dCumulativeProbability) <= 0 then we overshot during the Gantt chart area, // and we will back off by nThrows amount, which will now be negative. if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: dProbAccumulator = %e", dProbAccumulator); - + // Shouldn't happen because if we are down here, we are staking, and there have to be eligible UTXO's, but just in case... if (dProbAccumulator == 0.0) { if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: ERROR in dProbAccumulator calculations"); return result; } - + if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: dConfidence = %f", dConfidence); // If nThrows is negative, this just means we overshot in the Gantt chart loop and have to backtrack by nThrows. nThrows = (int64_t)((log(1 - dConfidence) - log(1 - dCumulativeProbability)) / log(1 - dProbAccumulator)); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: nThrows = %i", nThrows); - + nDeltaTime = nThrows * (STAKE_TIMESTAMP_MASK + 1); if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: nDeltaTime = %i", nDeltaTime); - + // Because we are looking at the delta time required past nTime, which is where we exited the Gantt chart loop. result = nDeltaTime + nTime - nCurrentTime; if (fDebug10) LogPrintf("GetEstimatedTimetoStake debug: ETTS at %d confidence = %i", dConfidence, result); @@ -819,7 +819,7 @@ MiningCPID GetNextProject(bool bForce) return GlobalCPUMiningCPID; } - + msMiningProject = ""; msMiningCPID = ""; GlobalCPUMiningCPID = GetInitializedGlobalCPUMiningCPID(""); @@ -1150,7 +1150,7 @@ std::string DefaultWalletAddress() static std::string sDefaultWalletAddress; if (!sDefaultWalletAddress.empty()) return sDefaultWalletAddress; - + try { //Gridcoin - Find the default public GRC address (since a user may have many receiving addresses): @@ -1159,14 +1159,14 @@ std::string DefaultWalletAddress() const CBitcoinAddress& address = item.first; const std::string& strName = item.second; bool fMine = IsMine(*pwalletMain, address.Get()); - if (fMine && strName == "Default") + if (fMine && strName == "Default") { sDefaultWalletAddress=CBitcoinAddress(address).ToString(); return sDefaultWalletAddress; } } - - //Cant Find + + //Cant Find for (auto const& item : pwalletMain->mapAddressBook) { const CBitcoinAddress& address = item.first; @@ -1670,7 +1670,7 @@ bool AcceptToMemoryPool(CTxMemPool& pool, CTransaction &tx, bool* pfMissingInput { LogPrint("mempool", "AcceptToMemoryPool::CleaningInboundConnections"); CleanInboundConnections(true); - } + } if (fDebug || true) { return error("AcceptToMemoryPool : Unable to Connect Inputs %s", hash.ToString().c_str()); @@ -2331,7 +2331,7 @@ bool CheckProofOfWork(uint256 hash, unsigned int nBits) bool CheckProofOfResearch( const CBlockIndex* pindexPrev, //previous block in chain index const CBlock &block) //block to check -{ +{ if(block.vtx.size() == 0 || !block.IsProofOfStake() || pindexPrev->nHeight <= nGrandfather || @@ -2590,7 +2590,7 @@ int64_t CTransaction::GetValueIn(const MapPrevTx& inputs) const int64_t PreviousBlockAge() { LOCK(cs_main); - + int64_t blockTime = pindexBest && pindexBest->pprev ? pindexBest->pprev->GetBlockTime() : 0; @@ -2600,10 +2600,10 @@ int64_t PreviousBlockAge() bool OutOfSyncByAge() -{ +{ // Assume we are out of sync if the current block age is 10 // times older than the target spacing. This is the same - // rules at Bitcoin uses. + // rules at Bitcoin uses. const int64_t maxAge = GetTargetSpacing(nBestHeight) * 10; return PreviousBlockAge() >= maxAge; } @@ -2714,8 +2714,8 @@ bool CTransaction::ConnectInputs(CTxDB& txdb, MapPrevTx inputs, map std::string int_to_hex( T i ) { std::stringstream stream; - stream << "0x" - << std::setfill ('0') << std::setw(sizeof(T)*2) + stream << "0x" + << std::setfill ('0') << std::setw(sizeof(T)*2) << std::hex << i; return stream.str(); } std::string DoubleToHexStr(double d, int iPlaces) { - int nMagnitude = atoi(RoundToString(d,0).c_str()); + int nMagnitude = atoi(RoundToString(d,0).c_str()); std::string hex_string = int_to_hex(nMagnitude); std::string sOut = "00000000" + hex_string; std::string sHex = sOut.substr(sOut.length()-iPlaces,iPlaces); @@ -2894,7 +2894,7 @@ std::string DoubleToHexStr(double d, int iPlaces) int HexToInt(std::string sHex) { - int x; + int x; std::stringstream ss; ss << std::hex << sHex; ss >> x; @@ -2923,14 +2923,14 @@ double ConvertHexToDouble(std::string hex) } -std::string ConvertBinToHex(std::string a) +std::string ConvertBinToHex(std::string a) { if (a.empty()) return "0"; std::string sOut = ""; for (unsigned int x = 1; x <= a.length(); x++) { char c = a[x-1]; - int i = (int)c; + int i = (int)c; std::string sHex = DoubleToHexStr((double)i,2); sOut += sHex; } @@ -3304,12 +3304,12 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo double dMagnitudeUnit = 0; double dAvgMagnitude = 0; - // ResearchAge 1: + // ResearchAge 1: GetProofOfStakeReward(nCoinAge, nFees, bb.cpid, true, 1, nTime, pindex, "connectblock_researcher", OUT_POR, OUT_INTEREST, dAccrualAge, dMagnitudeUnit, dAvgMagnitude); if (IsResearcher(bb.cpid)) { - + //ResearchAge: Since the best block may increment before the RA is connected but After the RA is computed, the ResearchSubsidy can sometimes be slightly smaller than we calculate here due to the RA timespan increasing. So we will allow for time shift before rejecting the block. double dDrift = IsResearchAgeEnabled(pindex->nHeight) ? bb.ResearchSubsidy*.15 : 1; if (IsResearchAgeEnabled(pindex->nHeight) && dDrift < 10) dDrift = 10; @@ -3368,7 +3368,7 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo else LogPrintf("WARNING: ignoring invalid hashBoinc signature on block %s", pindex->GetBlockHash().ToString()); } - // Mitigate DPOR Relay attack + // Mitigate DPOR Relay attack // bb.LastBlockhash should be equal to previous index lastblockhash, in order to check block signature correctly and prevent re-use of lastblockhash if (bb.lastblockhash != pindex->pprev->GetBlockHash().GetHex()) { @@ -4433,7 +4433,7 @@ bool CBlock::AcceptBlock(bool generated_by_me) } /*else Do not check v9 rewards here as context here is insufficient and it is checked again in ConnectBlock */ - + // PoW is checked in CheckBlock[] if (IsProofOfWork()) { @@ -4780,7 +4780,7 @@ bool AskForOutstandingBlocks(uint256 hashStart) { if (IsLockTimeWithinMinutes(nLastAskedForBlocks, GetAdjustedTime(), 2)) return true; nLastAskedForBlocks = GetAdjustedTime(); - + int iAsked = 0; LOCK(cs_vNodes); for (auto const& pNode : vNodes) @@ -4820,7 +4820,7 @@ void ClearOrphanBlocks() { delete it->second; } - + mapOrphanBlocks.clear(); mapOrphanBlocksByPrev.clear(); } @@ -4844,7 +4844,7 @@ void CleanInboundConnections(bool bClearAll) bool WalletOutOfSync() { LOCK(cs_main); - + // Only trigger an out of sync condition if the node has synced near the best block prior to going out of sync. bool bSyncedCloseToTop = nBestHeight > GetNumBlocksOfPeers() - 1000; return OutOfSyncByAge() && bSyncedCloseToTop; @@ -4866,7 +4866,7 @@ bool ProcessBlock(CNode* pfrom, CBlock* pblock, bool generated_by_me) // Duplicate stake allowed only when there is orphan child block if (pblock->IsProofOfStake() && setStakeSeen.count(pblock->GetProofOfStake()) && !mapOrphanBlocksByPrev.count(hash)) return error("ProcessBlock() : duplicate proof-of-stake (%s, %d) for block %s", pblock->GetProofOfStake().first.ToString().c_str(), - pblock->GetProofOfStake().second, + pblock->GetProofOfStake().second, hash.ToString().c_str()); if (pblock->hashPrevBlock != hashBestChain) @@ -4892,7 +4892,7 @@ bool ProcessBlock(CNode* pfrom, CBlock* pblock, bool generated_by_me) // If don't already have its previous block, shunt it off to holding area until we get it if (!mapBlockIndex.count(pblock->hashPrevBlock)) { - // ***** This area covers Gridcoin Orphan Handling ***** + // ***** This area covers Gridcoin Orphan Handling ***** if (WalletOutOfSync()) { if (TimerMain("OrphanBarrage",100)) @@ -4934,8 +4934,8 @@ bool ProcessBlock(CNode* pfrom, CBlock* pblock, bool generated_by_me) else setStakeSeenOrphan.insert(pblock->GetProofOfStake()); } - - CBlock* pblock2 = new CBlock(*pblock); + + CBlock* pblock2 = new CBlock(*pblock); mapOrphanBlocks.insert(make_pair(hash, pblock2)); mapOrphanBlocksByPrev.insert(make_pair(pblock->hashPrevBlock, pblock2)); @@ -5264,7 +5264,7 @@ bool WriteKey(std::string sKey, std::string sValue) // Allows Gridcoin to store the key value in the config file. boost::filesystem::path pathConfigFile(GetArg("-conf", "gridcoinresearch.conf")); if (!pathConfigFile.is_complete()) pathConfigFile = GetDataDir(false) / pathConfigFile; - if (!filesystem::exists(pathConfigFile)) return false; + if (!filesystem::exists(pathConfigFile)) return false; boost::to_lower(sKey); std::string sLine = ""; ifstream streamConfigFile; @@ -5282,7 +5282,7 @@ bool WriteKey(std::string sKey, std::string sValue) std::string sSourceValue = vEntry[1]; boost::to_lower(sSourceKey); - if (sSourceKey==sKey) + if (sSourceKey==sKey) { sSourceValue = sValue; sLine = sSourceKey + "=" + sSourceValue; @@ -5295,12 +5295,12 @@ bool WriteKey(std::string sKey, std::string sValue) sConfig += sLine; } } - if (!fWritten) + if (!fWritten) { sLine = sKey + "=" + sValue + "\n"; sConfig += sLine; } - + streamConfigFile.close(); FILE *outFile = fopen(pathConfigFile.string().c_str(),"w"); @@ -5566,7 +5566,7 @@ void AddResearchMagnitude(CBlockIndex* pIndex) if (pIndex->IsUserCPID() == false || pIndex->nResearchSubsidy <= 0) return; - + try { StructCPID stMag = GetInitializedStructCPID2(pIndex->GetCPID(),mvMagnitudesCopy); @@ -5601,7 +5601,7 @@ void AddResearchMagnitude(CBlockIndex* pIndex) double total_owed = 0; stMag.owed = GetOutstandingAmountOwed(stMag, pIndex->GetCPID(), pIndex->nTime, total_owed, pIndex->nMagnitude); - + stMag.totalowed = total_owed; mvMagnitudesCopy[pIndex->GetCPID()] = stMag; } @@ -5703,10 +5703,10 @@ void RemoveCPIDBlockHash(const std::string& cpid, const uint256& blockhash) StructCPID GetLifetimeCPID(const std::string& cpid, const std::string& sCalledFrom) { - //Eliminates issues with reorgs, disconnects, double counting, etc.. + //Eliminates issues with reorgs, disconnects, double counting, etc.. if (!IsResearcher(cpid)) return GetInitializedStructCPID2("INVESTOR",mvResearchAge); - + if (fDebug10) LogPrintf("GetLifetimeCPID.BEGIN: %s %s", sCalledFrom, cpid); const HashSet& hashes = GetCPIDBlockHashes(cpid); @@ -5723,7 +5723,7 @@ StructCPID GetLifetimeCPID(const std::string& cpid, const std::string& sCalledFr auto mapItem = mapBlockIndex.find(uHash); if (mapItem == mapBlockIndex.end()) continue; - + // Ensure that the block is valid CBlockIndex* pblockindex = mapItem->second; if(pblockindex == NULL || @@ -5920,7 +5920,7 @@ bool TallyResearchAverages_retired(CBlockIndex* index) bool superblockloaded = false; double NetworkPayments = 0; double NetworkInterest = 0; - + //Consensus Start/End block: int nMaxDepth = (index->nHeight - CONSENSUS_LOOKBACK) - ( (index->nHeight - CONSENSUS_LOOKBACK) % BLOCK_GRANULARITY); int nLookback = BLOCKS_PER_DAY * 14; //Daily block count * Lookback in days @@ -6010,7 +6010,7 @@ bool TallyResearchAverages_retired(CBlockIndex* index) } bool TallyResearchAverages_v9(CBlockIndex* index) -{ +{ if(!IsV9Enabled_Tally(index->nHeight)) return error("TallyResearchAverages_v9: called while V9 tally disabled"); @@ -6504,16 +6504,16 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, vRecv >> pfrom->nStartingHeight; // 12-5-2015 - Append Trust fields pfrom->nTrust = 0; - + if (!vRecv.empty()) vRecv >> pfrom->sGRCAddress; - - + + // Allow newbies to connect easily with 0 blocks if (GetArgument("autoban","true") == "true") { - + // Note: Hacking attempts start in this area - + if (pfrom->nStartingHeight < 1 && pfrom->nServices == 0 ) { pfrom->Misbehaving(100); @@ -6523,7 +6523,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, } } - + if (pfrom->fInbound && addrMe.IsRoutable()) { @@ -6558,7 +6558,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, pfrom->PushMessage("verack"); pfrom->ssSend.SetVersion(min(pfrom->nVersion, PROTOCOL_VERSION)); - + if (!pfrom->fInbound) { // Advertise our address @@ -6590,7 +6590,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, } } - + // Ask the first connected node for block updates static int nAskedForBlocks = 0; if (!pfrom->fClient && !pfrom->fOneShot && @@ -6928,7 +6928,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, mapAlreadyAskedFor.erase(inv); vWorkQueue.push_back(inv.hash); vEraseQueue.push_back(inv.hash); - + // Recursively process any orphan transactions that depended on this one for (unsigned int i = 0; i < vWorkQueue.size(); i++) { @@ -6997,7 +6997,7 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, mapAlreadyAskedFor.erase(inv); pfrom->nTrust++; } - if (block.nDoS) + if (block.nDoS) { pfrom->Misbehaving(block.nDoS); pfrom->nTrust--; @@ -7124,9 +7124,9 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, vRecv >> nonce; // Only process pong message if there is an outstanding ping (old ping without nonce should never pong) - if (pfrom->nPingNonceSent != 0) + if (pfrom->nPingNonceSent != 0) { - if (nonce == pfrom->nPingNonceSent) + if (nonce == pfrom->nPingNonceSent) { // Matching pong received, this ping is no longer outstanding bPingFinished = true; @@ -7787,7 +7787,7 @@ void HarvestCPIDs(bool cleardata) int64_t elapsed = GetTimeMillis()-nStart; if (fDebug3) LogPrintf("Enumerating boinc local project %s cpid %s valid %s, elapsed %" PRId64, structcpid.projectname, structcpid.cpid, YesNo(structcpid.Iscpidvalid), elapsed); - + structcpid.rac = RoundFromString(rac,0); structcpid.verifiedrac = RoundFromString(rac,0); std::string sLocalClientEmailHash = RetrieveMd5(email); @@ -7811,12 +7811,12 @@ void HarvestCPIDs(bool cleardata) structcpid.age = nActualTimespan; std::string sKey = structcpid.cpid + ":" + proj; mvCPIDs[proj] = structcpid; - + if (!structcpid.Iscpidvalid) { structcpid.errors = "CPID invalid. Check E-mail address."; } - + if (structcpid.team != "gridcoin") { structcpid.Iscpidvalid = false; @@ -8250,12 +8250,12 @@ std::string GetNeuralNetworkSupermajorityHash(double& out_popularity) { double highest_popularity = -1; std::string neural_hash; - + for(const auto& network_hash : mvNeuralNetworkHash) { const std::string& hash = network_hash.first; double popularity = network_hash.second; - + // d41d8 is the hash of an empty magnitude contract - don't count it if (popularity > 0 && popularity > highest_popularity && @@ -8266,7 +8266,7 @@ std::string GetNeuralNetworkSupermajorityHash(double& out_popularity) neural_hash = hash; } } - + out_popularity = highest_popularity; return neural_hash; } @@ -8632,7 +8632,7 @@ bool LoadAdminMessages(bool bFullTableScan, std::string& out_errors) } } } - + return true; } From d04a367f184d09b2731033b6dd6a838a6c2997df Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 26 Jul 2018 16:10:54 -0700 Subject: [PATCH 17/50] Remove newburnaddress RPC addresses issue #1226 --- src/rpcblockchain.cpp | 60 ------------------------------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 62 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 88db0a87d2..49c290e540 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -980,66 +980,6 @@ UniValue encrypt(const UniValue& params, bool fHelp) return res; } -UniValue newburnaddress(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() > 1) - throw runtime_error( - "newburnaddress [burntemplate]\n" - "\n" - "[burntemplate] -> Allow a vanity burn address\n" - "\n" - "Creates a new burn address\n"); - - UniValue res(UniValue::VOBJ); - - //3-12-2016 - R Halford - Allow the user to make vanity GRC Burn Addresses that have no corresponding private key - std::string sBurnTemplate = "GRCBurnAddressGRCBurnAddressGRCBurnAddress"; - - if (params.size() > 0) - sBurnTemplate = params[0].get_str(); - - // Address must start with the correct base58 network flag and address type for GRC - std::string sPrefix = (fTestNet) ? "mp" : "Rx"; - std::string t34 = sPrefix + sBurnTemplate + "XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX"; - t34 = t34.substr(0,34); // Template must be 34 characters - std::vector vchDecoded34; - DecodeBase58(t34, vchDecoded34); - //Now we have the 34 digit address decoded from base58 to binary - std::string sDecoded34(vchDecoded34.begin(), vchDecoded34.end()); - //Now we have a binary string - Chop off all but last 4 bytes (save space for the checksum) - std::string sDecoded30 = sDecoded34.substr(0,sDecoded34.length()-4); - //Convert to Hex first - vector vchDecoded30(sDecoded30.begin(), sDecoded30.end()); - std::string sDecodedHex = ConvertBinToHex(sDecoded30); - // Get sha256 Checksum of DecodedHex - uint256 hash = Hash(vchDecoded30.begin(), vchDecoded30.end()); - // The BTC address spec calls for double SHA256 hashing - uint256 DoubleHash = Hash(hash.begin(),hash.end()); - std::string sSha256 = DoubleHash.GetHex(); - // Only use the first 8 hex bytes to retrieve the checksum - sSha256 = sSha256.substr(0,8); - // Combine the Hex Address prefix and the Sha256 Checksum to form the Hex version of the address (Note: There is no private key) - std::string combined = sDecodedHex + sSha256; - std::string sBinary = ConvertHexToBin(combined); - vector v(sBinary.begin(), sBinary.end()); - //Make the new address so that it passes base 58 Checks - std::string encoded1 = EncodeBase58(v); - std::string encoded2 = EncodeBase58Check(vchDecoded30); - - res.pushKV("CombinedHex",combined); - - if (encoded2.length() != 34) - { - res.pushKV("Burn Address Creation failed","NOTE: the input phrase must not include zeroes, or nonbase58 characters."); - - return res; - } - // Give the user the new vanity burn address - res.pushKV("Burn Address",encoded2); - - return res; -} - UniValue rain(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 1) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 35d8d9c813..dc8dda1b3b 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -312,7 +312,6 @@ static const CRPCCommand vRPCCommands[] = { "listunspent", &listunspent, false, cat_wallet }, { "makekeypair", &makekeypair, false, cat_wallet }, { "move", &movecmd, false, cat_wallet }, - { "newburnaddress", &newburnaddress, false, cat_wallet }, { "rain", &rain, false, cat_wallet }, { "repairwallet", &repairwallet, false, cat_wallet }, { "resendtx", &resendtx, false, cat_wallet }, diff --git a/src/rpcserver.h b/src/rpcserver.h index ff8d00171c..9eb8b67291 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -139,7 +139,6 @@ extern UniValue listtransactions(const UniValue& params, bool fHelp); extern UniValue listunspent(const UniValue& params, bool fHelp); extern UniValue makekeypair(const UniValue& params, bool fHelp); extern UniValue movecmd(const UniValue& params, bool fHelp); -extern UniValue newburnaddress(const UniValue& params, bool fHelp); extern UniValue rain(const UniValue& params, bool fHelp); extern UniValue repairwallet(const UniValue& params, bool fHelp); extern UniValue resendtx(const UniValue& params, bool fHelp); From bdae1a87723d4fb22e63e94fe8a44819aba1eb48 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 26 Jul 2018 16:13:14 -0700 Subject: [PATCH 18/50] Remove burn2 function --- src/rpcblockchain.cpp | 51 ------------------------------------------- src/rpcclient.cpp | 1 - src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 4 files changed, 54 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 49c290e540..2bcacf6f4e 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -908,57 +908,6 @@ UniValue backupprivatekeys(const UniValue& params, bool fHelp) return res; } -UniValue burn2(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() < 4) - throw runtime_error( - "burn2 \n" - "\n" - " -> Address where the coins will be burned\n" - " -> Amount of coins to be burned\n" - " -> Burn key to be used\n" - " -> Details of the burn\n" - "\n" - "Burn coins on the network\n"); - - UniValue res(UniValue::VOBJ); - std::string sAddress = params[0].get_str(); - double dAmount = Round(params[1].get_real(), 6); - std::string sKey = params[2].get_str(); - std::string sDetail = params[3].get_str(); - CBitcoinAddress address(sAddress); - bool isValid = address.IsValid(); - - if (!isValid) - { - res.pushKV("Error", "Invalid GRC Burn Address"); - - return res; - } - - if (dAmount == 0 || dAmount < 0) - { - res.pushKV("Error", "Burn amount must be > 0"); - - return res; - } - - if (sKey.empty() || sDetail.empty()) - { - res.pushKV("Error", "Burn Key and Burn Detail must be populated"); - - return res; - } - - std::string sContract = "" + sKey + "" + sDetail + ""; - - std::string sResult = BurnCoinsWithNewContract(true, "burn", sKey, sContract, AmountFromValue(1), dAmount, "", sAddress); - - res.pushKV("Burn_Response", sResult); - - return res; -} - UniValue encrypt(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 1) diff --git a/src/rpcclient.cpp b/src/rpcclient.cpp index 30b9e9823c..51064eaec4 100644 --- a/src/rpcclient.cpp +++ b/src/rpcclient.cpp @@ -106,7 +106,6 @@ static const CRPCConvertParam vRPCConvertParams[] = { "addmultisigaddress" , 0 }, { "addmultisigaddress" , 1 }, { "burn" , 0 }, - { "burn2" , 1 }, { "createrawtransaction" , 0 }, { "createrawtransaction" , 1 }, { "getbalance" , 1 }, diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index dc8dda1b3b..8a024d01a2 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -280,7 +280,6 @@ static const CRPCCommand vRPCCommands[] = { "backupprivatekeys", &backupprivatekeys, false, cat_wallet }, { "backupwallet", &backupwallet, true, cat_wallet }, { "burn", &burn, false, cat_wallet }, - { "burn2", &burn2, false, cat_wallet }, { "checkwallet", &checkwallet, false, cat_wallet }, { "createrawtransaction", &createrawtransaction, false, cat_wallet }, { "decoderawtransaction", &decoderawtransaction, false, cat_wallet }, diff --git a/src/rpcserver.h b/src/rpcserver.h index 9eb8b67291..97c49a2f82 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -107,7 +107,6 @@ extern UniValue addredeemscript(const UniValue& params, bool fHelp); extern UniValue backupprivatekeys(const UniValue& params, bool fHelp); extern UniValue backupwallet(const UniValue& params, bool fHelp); extern UniValue burn(const UniValue& params, bool fHelp); -extern UniValue burn2(const UniValue& params, bool fHelp); extern UniValue checkwallet(const UniValue& params, bool fHelp); extern UniValue createrawtransaction(const UniValue& params, bool fHelp); extern UniValue decoderawtransaction(const UniValue& params, bool fHelp); From 5cb3358f4e859fcdfb808650ec23a6fc4e845c9c Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 26 Jul 2018 16:17:52 -0700 Subject: [PATCH 19/50] remove cpid rpc --- src/rpcblockchain.cpp | 45 ------------------------------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 47 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 2bcacf6f4e..afff87f5bf 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1109,51 +1109,6 @@ UniValue beaconstatus(const UniValue& params, bool fHelp) return res; } -UniValue cpids(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 0) - throw runtime_error( - "cpids\n" - "\n" - "Displays information on your cpids\n"); - - UniValue res(UniValue::VOBJ); - - //Dump vectors: - - LOCK(cs_main); - - if (mvCPIDs.size() < 1) - HarvestCPIDs(false); - - LogPrintf("Generating cpid report"); - - for(map::iterator ii=mvCPIDs.begin(); ii!=mvCPIDs.end(); ++ii) - { - - StructCPID structcpid = mvCPIDs[(*ii).first]; - - if (structcpid.initialized) - { - if ((GlobalCPUMiningCPID.cpid.length() > 3 && - structcpid.cpid == GlobalCPUMiningCPID.cpid) - || !IsResearcher(structcpid.cpid) || !IsResearcher(GlobalCPUMiningCPID.cpid)) - { - res.pushKV("Project",structcpid.projectname); - res.pushKV("CPID",structcpid.cpid); - res.pushKV("RAC",structcpid.rac); - res.pushKV("Team",structcpid.team); - res.pushKV("CPID Link",structcpid.link); - res.pushKV("Debug Info",structcpid.errors); - res.pushKV("Project Settings Valid for Gridcoin",structcpid.Iscpidvalid); - - } - } - } - - return res; -} - UniValue currentneuralhash(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 0) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 8a024d01a2..306a0bb9ef 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -335,7 +335,6 @@ static const CRPCCommand vRPCCommands[] = { "advertisebeacon", &advertisebeacon, false, cat_mining }, { "beaconreport", &beaconreport, false, cat_mining }, { "beaconstatus", &beaconstatus, false, cat_mining }, - { "cpids", &cpids, false, cat_mining }, { "currentneuralhash", ¤tneuralhash, false, cat_mining }, { "currentneuralreport", ¤tneuralreport, false, cat_mining }, { "explainmagnitude", &explainmagnitude, false, cat_mining }, diff --git a/src/rpcserver.h b/src/rpcserver.h index 97c49a2f82..6364b67577 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -162,7 +162,6 @@ extern UniValue walletpassphrasechange(const UniValue& params, bool fHelp); extern UniValue advertisebeacon(const UniValue& params, bool fHelp); extern UniValue beaconreport(const UniValue& params, bool fHelp); extern UniValue beaconstatus(const UniValue& params, bool fHelp); -extern UniValue cpids(const UniValue& params, bool fHelp); extern UniValue currentneuralhash(const UniValue& params, bool fHelp); extern UniValue currentneuralreport(const UniValue& params, bool fHelp); extern UniValue explainmagnitude(const UniValue& params, bool fHelp); From 4c4754ab6035b064dca825830900b795ccba378f Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 26 Jul 2018 16:18:41 -0700 Subject: [PATCH 20/50] remove mymagnitude rpc --- src/rpcblockchain.cpp | 28 ---------------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 30 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index afff87f5bf..43c293aa65 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1263,34 +1263,6 @@ UniValue magnitude(const UniValue& params, bool fHelp) return results; } -UniValue mymagnitude(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 0) - throw runtime_error( - "mymagnitude\n" - "\n" - "Displays information for your magnitude in the network\n"); - - UniValue results(UniValue::VARR); - - if (msPrimaryCPID.empty()) - { - UniValue res(UniValue::VOBJ); - - res.pushKV("Error", "Your CPID appears to be empty"); - - results.push_back(res); - } - - else - { - LOCK(cs_main); - - results = MagnitudeReport(msPrimaryCPID); - } - return results; -} - #ifdef WIN32 UniValue myneuralhash(const UniValue& params, bool fHelp) { diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 306a0bb9ef..9ad1686313 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -341,7 +341,6 @@ static const CRPCCommand vRPCCommands[] = { "getmininginfo", &getmininginfo, false, cat_mining }, { "lifetime", &lifetime, false, cat_mining }, { "magnitude", &magnitude, false, cat_mining }, - { "mymagnitude", &mymagnitude, false, cat_mining }, #ifdef WIN32 { "myneuralhash", &myneuralhash, false, cat_mining }, { "neuralhash", &neuralhash, false, cat_mining }, diff --git a/src/rpcserver.h b/src/rpcserver.h index 6364b67577..2070d20dc5 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -168,7 +168,6 @@ extern UniValue explainmagnitude(const UniValue& params, bool fHelp); extern UniValue getmininginfo(const UniValue& params, bool fHelp); extern UniValue lifetime(const UniValue& params, bool fHelp); extern UniValue magnitude(const UniValue& params, bool fHelp); -extern UniValue mymagnitude(const UniValue& params, bool fHelp); #ifdef WIN32 extern UniValue myneuralhash(const UniValue& params, bool fHelp); extern UniValue neuralhash(const UniValue& params, bool fHelp); From 4407de5a85b2ef156aeaa6b280096d8d32330919 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 26 Jul 2018 16:19:36 -0700 Subject: [PATCH 21/50] remove rsa rpc --- src/rpcblockchain.cpp | 21 --------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 23 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 43c293aa65..1a8590c7ba 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1379,27 +1379,6 @@ UniValue resetcpids(const UniValue& params, bool fHelp) return res; } -UniValue rsa(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 0) - throw runtime_error( - "rsa\n" - "\n" - "Displays RSA report for your CPID\n"); - - UniValue res(UniValue::VARR); - - if (msPrimaryCPID.empty() || msPrimaryCPID == "INVESTOR") - throw runtime_error( - "PrimaryCPID is empty or INVESTOR; No RSA available for this condition\n"); - - LOCK(cs_main); - - res = MagnitudeReport(msPrimaryCPID); - - return res; -} - UniValue rsaweight(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 0) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 9ad1686313..83af86c7fa 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -348,7 +348,6 @@ static const CRPCCommand vRPCCommands[] = { "neuralreport", &neuralreport, false, cat_mining }, { "proveownership", &proveownership, false, cat_mining }, { "resetcpids", &resetcpids, false, cat_mining }, - { "rsa", &rsa, false, cat_mining }, { "rsaweight", &rsaweight, false, cat_mining }, { "staketime", &staketime, false, cat_mining }, { "superblockage", &superblockage, false, cat_mining }, diff --git a/src/rpcserver.h b/src/rpcserver.h index 2070d20dc5..103faf1615 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -175,7 +175,6 @@ extern UniValue neuralhash(const UniValue& params, bool fHelp); extern UniValue neuralreport(const UniValue& params, bool fHelp); extern UniValue proveownership(const UniValue& params, bool fHelp); extern UniValue resetcpids(const UniValue& params, bool fHelp); -extern UniValue rsa(const UniValue& params, bool fHelp); extern UniValue rsaweight(const UniValue& params, bool fHelp); extern UniValue staketime(const UniValue& params, bool fHelp); extern UniValue superblockage(const UniValue& params, bool fHelp); From c39f10fc2b05700090a227753814e519a476cd32 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 26 Jul 2018 16:20:31 -0700 Subject: [PATCH 22/50] remove rsaweight rpc --- src/rpcblockchain.cpp | 25 ------------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 27 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 1a8590c7ba..8135428c9d 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1379,31 +1379,6 @@ UniValue resetcpids(const UniValue& params, bool fHelp) return res; } -UniValue rsaweight(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 0) - throw runtime_error( - "rsaweight\n" - "\n" - "Display Rsaweight for your CPID\n"); - - UniValue res(UniValue::VOBJ); - - double out_magnitude = 0; - double out_owed = 0; - - LOCK(cs_main); - - int64_t RSAWEIGHT = GetRSAWeightByCPID(GlobalCPUMiningCPID.cpid); - out_magnitude = GetUntrustedMagnitude(GlobalCPUMiningCPID.cpid, out_owed); - - res.pushKV("RSA Weight", RSAWEIGHT); - res.pushKV("Magnitude", out_magnitude); - res.pushKV("RSA Owed", out_owed); - - return res; -} - UniValue staketime(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 0) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 83af86c7fa..af7763ddb9 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -348,7 +348,6 @@ static const CRPCCommand vRPCCommands[] = { "neuralreport", &neuralreport, false, cat_mining }, { "proveownership", &proveownership, false, cat_mining }, { "resetcpids", &resetcpids, false, cat_mining }, - { "rsaweight", &rsaweight, false, cat_mining }, { "staketime", &staketime, false, cat_mining }, { "superblockage", &superblockage, false, cat_mining }, { "superblocks", &superblocks, false, cat_mining }, diff --git a/src/rpcserver.h b/src/rpcserver.h index 103faf1615..e7da28b0b2 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -175,7 +175,6 @@ extern UniValue neuralhash(const UniValue& params, bool fHelp); extern UniValue neuralreport(const UniValue& params, bool fHelp); extern UniValue proveownership(const UniValue& params, bool fHelp); extern UniValue resetcpids(const UniValue& params, bool fHelp); -extern UniValue rsaweight(const UniValue& params, bool fHelp); extern UniValue staketime(const UniValue& params, bool fHelp); extern UniValue superblockage(const UniValue& params, bool fHelp); extern UniValue superblocks(const UniValue& params, bool fHelp); From 4ec11d25b889f9a94977f6700b842f4e9116f981 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 26 Jul 2018 16:21:28 -0700 Subject: [PATCH 23/50] remove proveownership rpc --- src/rpcblockchain.cpp | 44 ------------------------------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 46 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 8135428c9d..83407b5044 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1315,50 +1315,6 @@ UniValue neuralreport(const UniValue& params, bool fHelp) return res; } -UniValue proveownership(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 0) - throw runtime_error( - "proveownership\n" - "\n" - "Prove ownership of your CPID\n"); - - UniValue res(UniValue::VOBJ); - - LOCK(cs_main); - - HarvestCPIDs(true); - GetNextProject(true); - - std::string email = GetArgument("email", "NA"); - boost::to_lower(email); - std::string sLongCPID = ComputeCPIDv2(email, GlobalCPUMiningCPID.boincruntimepublickey,1); - std::string sShortCPID = RetrieveMd5(GlobalCPUMiningCPID.boincruntimepublickey + email); - std::string sEmailMD5 = RetrieveMd5(email); - std::string sBPKMD5 = RetrieveMd5(GlobalCPUMiningCPID.boincruntimepublickey); - - res.pushKV("Boinc E-Mail", email); - res.pushKV("Boinc Public Key", GlobalCPUMiningCPID.boincruntimepublickey); - res.pushKV("CPID", GlobalCPUMiningCPID.cpid); - res.pushKV("Computed Email Hash", sEmailMD5); - res.pushKV("Computed BPK", sBPKMD5); - res.pushKV("Computed CPID", sLongCPID); - res.pushKV("Computed Short CPID", sShortCPID); - - bool fResult = CPID_IsCPIDValid(sShortCPID, sLongCPID, 1); - - if (GlobalCPUMiningCPID.boincruntimepublickey.empty()) - { - fResult = false; - - res.pushKV("Error", "Boinc Public Key empty. Try mounting your boinc project first, and ensure the gridcoin datadir setting is set if boinc is not in the default location."); - } - - res.pushKV("CPID Valid", fResult); - - return res; -} - UniValue resetcpids(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 0) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index af7763ddb9..89f3da6faf 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -346,7 +346,6 @@ static const CRPCCommand vRPCCommands[] = { "neuralhash", &neuralhash, false, cat_mining }, #endif { "neuralreport", &neuralreport, false, cat_mining }, - { "proveownership", &proveownership, false, cat_mining }, { "resetcpids", &resetcpids, false, cat_mining }, { "staketime", &staketime, false, cat_mining }, { "superblockage", &superblockage, false, cat_mining }, diff --git a/src/rpcserver.h b/src/rpcserver.h index e7da28b0b2..9443817d2a 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -173,7 +173,6 @@ extern UniValue myneuralhash(const UniValue& params, bool fHelp); extern UniValue neuralhash(const UniValue& params, bool fHelp); #endif extern UniValue neuralreport(const UniValue& params, bool fHelp); -extern UniValue proveownership(const UniValue& params, bool fHelp); extern UniValue resetcpids(const UniValue& params, bool fHelp); extern UniValue staketime(const UniValue& params, bool fHelp); extern UniValue superblockage(const UniValue& params, bool fHelp); From b5a083e93136b69fd1b8230026aef8c5446f2af0 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Fri, 27 Jul 2018 14:46:26 -0700 Subject: [PATCH 24/50] remove encrypt rpc --- src/rpcblockchain.cpp | 21 --------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 23 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 83407b5044..3cd009641b 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -908,27 +908,6 @@ UniValue backupprivatekeys(const UniValue& params, bool fHelp) return res; } -UniValue encrypt(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 1) - throw runtime_error( - "encrypt \n" - "\n" - " -> The password of your encrypted wallet\n" - "\n" - "Encrypts a walletpassphrase\n"); - - UniValue res(UniValue::VOBJ); - //Encrypt a phrase - std::string sParam = params[0].get_str(); - std::string encrypted = AdvancedCryptWithHWID(sParam); - - res.pushKV("Passphrase",encrypted); - res.pushKV("[Specify in config file] autounlock=",encrypted); - - return res; -} - UniValue rain(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 1) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 89f3da6faf..16de6011d3 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -286,7 +286,6 @@ static const CRPCCommand vRPCCommands[] = { "decodescript", &decodescript, false, cat_wallet }, { "dumpprivkey", &dumpprivkey, false, cat_wallet }, { "dumpwallet", &dumpwallet, true, cat_wallet }, - { "encrypt", &encrypt, false, cat_wallet }, { "encryptwallet", &encryptwallet, false, cat_wallet }, { "getaccount", &getaccount, false, cat_wallet }, { "getaccountaddress", &getaccountaddress, true, cat_wallet }, diff --git a/src/rpcserver.h b/src/rpcserver.h index 9443817d2a..b818351cea 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -113,7 +113,6 @@ extern UniValue decoderawtransaction(const UniValue& params, bool fHelp); extern UniValue decodescript(const UniValue& params, bool fHelp); extern UniValue dumpprivkey(const UniValue& params, bool fHelp); extern UniValue dumpwallet(const UniValue& params, bool fHelp); -extern UniValue encrypt(const UniValue& params, bool fHelp); extern UniValue encryptwallet(const UniValue& params, bool fHelp); extern UniValue getaccount(const UniValue& params, bool fHelp); extern UniValue getaccountaddress(const UniValue& params, bool fHelp); From 3827ce616349bff82d829d8cea7e1e1bf0e81115 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Fri, 27 Jul 2018 14:48:53 -0700 Subject: [PATCH 25/50] Remove BurnCoinsWithNewContract --- src/rpcblockchain.cpp | 28 ---------------------------- 1 file changed, 28 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 3cd009641b..7d6d9b4ce2 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -47,7 +47,6 @@ extern UniValue MagnitudeReport(std::string cpid); std::string ConvertBinToHex(std::string a); std::string ConvertHexToBin(std::string a); bool bNetAveragesLoaded_retired; -std::string BurnCoinsWithNewContract(bool bAdd, std::string sType, std::string sPrimaryKey, std::string sValue, int64_t MinimumBalance, double dFees, std::string strPublicKey, std::string sBurnAddress); bool StrLessThanReferenceHash(std::string rh); extern std::string ExtractValue(std::string data, std::string delimiter, int pos); extern UniValue SuperblockReport(std::string cpid); @@ -3001,33 +3000,6 @@ UniValue GetJSONVersionReport() return results; } -std::string BurnCoinsWithNewContract(bool bAdd, std::string sType, std::string sPrimaryKey, std::string sValue, - int64_t MinimumBalance, double dFees, std::string strPublicKey, std::string sBurnAddress) -{ - CBitcoinAddress address(sBurnAddress); - if (!address.IsValid()) throw JSONRPCError(RPC_INVALID_ADDRESS_OR_KEY, "Invalid Gridcoin address"); - std::string sMasterKey = (sType=="project" || sType=="projectmapping" || sType=="smart_contract") ? GetArgument("masterprojectkey", msMasterMessagePrivateKey) : msMasterMessagePrivateKey; - - int64_t nAmount = AmountFromValue(dFees); - // Wallet comments - CWalletTx wtx; - if (pwalletMain->IsLocked()) throw JSONRPCError(RPC_WALLET_UNLOCK_NEEDED, "Error: Please enter the wallet passphrase with walletpassphrase first."); - std::string sMessageType = "" + sType + ""; //Project or Smart Contract - std::string sMessageKey = "" + sPrimaryKey + ""; - std::string sMessageValue = "" + sValue + ""; - std::string sMessagePublicKey = ""+ strPublicKey + ""; - std::string sMessageAction = bAdd ? "A" : "D"; //Add or Delete - //Sign Message - std::string sSig = SignMessage(sType+sPrimaryKey+sValue,sMasterKey); - std::string sMessageSignature = "" + sSig + ""; - wtx.hashBoinc = sMessageType+sMessageKey+sMessageValue+sMessageAction+sMessagePublicKey+sMessageSignature; - string strError = pwalletMain->SendMoneyToDestinationWithMinimumBalance(address.Get(), nAmount, MinimumBalance, wtx); - if (!strError.empty()) throw JSONRPCError(RPC_WALLET_ERROR, strError); - return wtx.GetHash().GetHex().c_str(); -} - - - std::string SendReward(std::string sAddress, int64_t nAmount) { CBitcoinAddress address(sAddress); From 05b2c630074c1e30492b3554bcbb79eb60378dd5 Mon Sep 17 00:00:00 2001 From: Marco Nilsson Date: Sun, 29 Jul 2018 06:16:18 +0200 Subject: [PATCH 26/50] Fix compile errors. --- src/miner.cpp | 15 ++++++++++++--- 1 file changed, 12 insertions(+), 3 deletions(-) diff --git a/src/miner.cpp b/src/miner.cpp index 326261baff..76fd605469 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -830,7 +830,10 @@ void AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) } if(!IsNeuralNodeParticipant(bb.GRCAddress, blocknew.nTime)) - return LogPrintf("AddNeuralContractOrVote: Not Participating"); + { + LogPrintf("AddNeuralContractOrVote: Not Participating"); + return; + } if(blocknew.nVersion >= 9) { @@ -840,12 +843,18 @@ void AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) } if(!NeedASuperblock()) - return LogPrintf("AddNeuralContractOrVote: not Needed"); + { + LogPrintf("AddNeuralContractOrVote: not Needed"); + return; + } int pending_height = RoundFromString(ReadCache("neuralsecurity","pending").value, 0); if (pending_height>=(pindexBest->nHeight-200)) - return LogPrintf("AddNeuralContractOrVote: already Pending"); + { + LogPrintf("AddNeuralContractOrVote: already Pending"); + return; + } double popularity = 0; std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); From 3e8a04e45f0222824f384f1b7460028ae8f9161f Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Tue, 31 Jul 2018 12:32:11 -0700 Subject: [PATCH 27/50] move funcatility of cpids/validcpids rpc to projects rpc --- src/rpcblockchain.cpp | 25 +++++++++++++++++++++++++ 1 file changed, 25 insertions(+) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 9e3a2851ba..8b72e07fe3 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1969,6 +1969,9 @@ UniValue projects(const UniValue& params, bool fHelp) LOCK(cs_main); + if (mvCPIDs.size() < 1) + HarvestCPIDs(false); + for (const auto& item : ReadCacheSection("project")) { UniValue entry(UniValue::VOBJ); @@ -1991,6 +1994,28 @@ UniValue projects(const UniValue& params, bool fHelp) entry.pushKV("Project", sProjectName); entry.pushKV("URL", sProjectURL); + if (mvCPIDs.size() > 0) + { + StructCPID structcpid = mvCPIDs[sProjectName]; + + if (structcpid.initialized) + { + if (IsResearcher(structcpid.cpid) && IsResearcher(GlobalCPUMiningCPID.cpid)) + { + UniValue researcher(UniValue::VOBJ); + + researcher.pushKV("CPID", structcpid.cpid); + researcher.pushKV("Team", structcpid.team); + researcher.pushKV("Valid for Research", (structcpid.team == "gridcoin" && structcpid.Iscpidvalid ? "true" : "false")); + + if (!structcpid.errors.empty()) + researcher.pushKV("Errors", structcpid.errors); + + entry.pushKV("Researcher", researcher); + } + } + } + res.push_back(entry); } From 0416e65dc6a7a86ef5b0f0d404a48cdc64f38d8b Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Tue, 31 Jul 2018 12:33:07 -0700 Subject: [PATCH 28/50] Change projects rpc help message --- src/rpcblockchain.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 8b72e07fe3..ea1080397a 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1963,7 +1963,7 @@ UniValue projects(const UniValue& params, bool fHelp) throw runtime_error( "projects\n" "\n" - "Displays information on projects in the network\n"); + "Displays information on projects in the network as well as researcher data if available\n"); UniValue res(UniValue::VARR); From 583e457f71f8d7d799e214afa45589321c3ee627 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Tue, 31 Jul 2018 22:48:02 -0700 Subject: [PATCH 29/50] Remove cpids rpc in favor of projects rpc --- src/rpcblockchain.cpp | 48 ------------------------------------------- 1 file changed, 48 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index ea1080397a..56c28ab32f 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1087,54 +1087,6 @@ UniValue beaconstatus(const UniValue& params, bool fHelp) return res; } -UniValue cpids(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 0) - throw runtime_error( - "cpids\n" - "\n" - "Displays information on your cpids\n"); - - UniValue res(UniValue::VARR); - - //Dump vectors: - - LOCK(cs_main); - - if (mvCPIDs.size() < 1) - HarvestCPIDs(false); - - LogPrintf("Generating cpid report"); - - for(map::iterator ii=mvCPIDs.begin(); ii!=mvCPIDs.end(); ++ii) - { - - StructCPID structcpid = mvCPIDs[(*ii).first]; - - if (structcpid.initialized) - { - if ((GlobalCPUMiningCPID.cpid.length() > 3 && - structcpid.cpid == GlobalCPUMiningCPID.cpid) - || IsResearcher(structcpid.cpid) || IsResearcher(GlobalCPUMiningCPID.cpid)) - { - UniValue entry(UniValue::VOBJ); - - entry.pushKV("Project",structcpid.projectname); - entry.pushKV("CPID",structcpid.cpid); - entry.pushKV("RAC",structcpid.rac); - entry.pushKV("Team",structcpid.team); - entry.pushKV("CPID Link",structcpid.link); - entry.pushKV("Debug Info",structcpid.errors); - entry.pushKV("Project Settings Valid for Gridcoin",structcpid.Iscpidvalid); - - res.push_back(entry); - } - } - } - - return res; -} - UniValue currentneuralhash(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 0) From 487c6635322a366472752fde6a183c82d1e32f61 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Tue, 31 Jul 2018 22:48:56 -0700 Subject: [PATCH 30/50] remove validcpids in favor of projects rpc --- src/rpcblockchain.cpp | 49 ------------------------------------------- src/rpcserver.cpp | 1 - src/rpcserver.h | 1 - 3 files changed, 51 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index 56c28ab32f..ddb04eff2e 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1419,55 +1419,6 @@ UniValue upgradedbeaconreport(const UniValue& params, bool fHelp) return aUpgBR; } -UniValue validcpids(const UniValue& params, bool fHelp) -{ - if (fHelp || params.size() != 0) - throw runtime_error( - "validcpids\n" - "\n" - "Displays information about valid CPIDs collected from BOINC\n"); - - UniValue res(UniValue::VARR); - - LOCK(cs_main); - - //Dump vectors: - if (mvCPIDs.size() < 1) - HarvestCPIDs(false); - - for(map::iterator ii=mvCPIDs.begin(); ii!=mvCPIDs.end(); ++ii) - { - StructCPID structcpid = mvCPIDs[(*ii).first]; - - if (structcpid.initialized) - { - if (structcpid.cpid == GlobalCPUMiningCPID.cpid || !IsResearcher(structcpid.cpid)) - { - if (structcpid.team == "gridcoin") - { - UniValue entry(UniValue::VOBJ); - - entry.pushKV("Project", structcpid.projectname); - entry.pushKV("CPID", structcpid.cpid); - entry.pushKV("CPIDhash", structcpid.cpidhash); - entry.pushKV("UTC", structcpid.utc); - entry.pushKV("RAC", structcpid.rac); - entry.pushKV("Team", structcpid.team); - entry.pushKV("RecTime", structcpid.rectime); - entry.pushKV("Age", structcpid.age); - entry.pushKV("Is my CPID Valid?", structcpid.Iscpidvalid); - entry.pushKV("CPID Link", structcpid.link); - entry.pushKV("Errors", structcpid.errors); - - res.push_back(entry); - } - } - } - } - - return res; -} - UniValue addkey(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 4) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 16de6011d3..95bea34ede 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -351,7 +351,6 @@ static const CRPCCommand vRPCCommands[] = { "superblocks", &superblocks, false, cat_mining }, { "syncdpor2", &syncdpor2, false, cat_mining }, { "upgradedbeaconreport", &upgradedbeaconreport, false, cat_mining }, - { "validcpids", &validcpids, false, cat_mining }, // Developer commands { "addkey", &addkey, false, cat_developer }, diff --git a/src/rpcserver.h b/src/rpcserver.h index b818351cea..b6ac356495 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -178,7 +178,6 @@ extern UniValue superblockage(const UniValue& params, bool fHelp); extern UniValue superblocks(const UniValue& params, bool fHelp); extern UniValue syncdpor2(const UniValue& params, bool fHelp); extern UniValue upgradedbeaconreport(const UniValue& params, bool fHelp); -extern UniValue validcpids(const UniValue& params, bool fHelp); // Developers extern UniValue addkey(const UniValue& params, bool fHelp); From 8257d1c49edf4577a6a92fab03fc1bea38272b0f Mon Sep 17 00:00:00 2001 From: NeuralMiner <20843698+NeuralMiner@users.noreply.github.com> Date: Wed, 8 Aug 2018 13:00:07 -0600 Subject: [PATCH 31/50] Spelling corrections --- src/rpcblockchain.cpp | 14 +++++++------- src/rpcrawtransaction.cpp | 6 +++--- src/rpcserver.cpp | 4 ++-- src/rpcserver.h | 4 ++-- 4 files changed, 14 insertions(+), 14 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index e18c5a2ab2..afb10da91f 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1988,13 +1988,13 @@ UniValue dportally(const UniValue& params, bool fHelp) return res; } -UniValue forcequorom(const UniValue& params, bool fHelp) +UniValue forcequorum(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 0) throw runtime_error( - "forcequorom\n" + "forcequorum\n" "\n" - "Requests neural network for force a quorom among nodes\n"); + "Requests neural network for force a quorum among nodes\n"); UniValue res(UniValue::VOBJ); @@ -2489,13 +2489,13 @@ UniValue testnewcontract(const UniValue& params, bool fHelp) } #endif -UniValue updatequoromdata(const UniValue& params, bool fHelp) +UniValue updatequorumdata(const UniValue& params, bool fHelp) { if (fHelp || params.size() != 0) throw runtime_error( - "updatequoromdata\n" + "updatequorumdata\n" "\n" - "Requests update of neural network quorom data\n"); + "Requests update of neural network quorum data\n"); UniValue res(UniValue::VOBJ); @@ -2601,7 +2601,7 @@ UniValue currenttime(const UniValue& params, bool fHelp) throw runtime_error( "currenttime\n" "\n" - "Displays UTC unix time as well as date and time in UTC\n"); + "Displays UTC Unix time as well as date and time in UTC\n"); UniValue res(UniValue::VOBJ); diff --git a/src/rpcrawtransaction.cpp b/src/rpcrawtransaction.cpp index 556a0cc1a4..a58beb763f 100644 --- a/src/rpcrawtransaction.cpp +++ b/src/rpcrawtransaction.cpp @@ -231,7 +231,7 @@ std::vector> GetTxNormalBoincHashInfo(const else if (sVoteShareType == "3") { // For voting mag for mag + balance polls we need to calculate total network magnitude from superblock before vote to use the correct data in formula. - // This gives us an accruate vote shares at that time. We like to keep wallet information as accruate as possible. + // This gives us an accurate vote shares at that time. We like to keep wallet information as accurate as possible. // Note during boosted superblocks we get unusual calculations for total network magnitude. CBlockIndex* pblockindex = mapBlockIndex[mtx.hashBlock]; CBlock block; @@ -325,7 +325,7 @@ std::vector> GetTxNormalBoincHashInfo(const std::string sProjectAction = ExtractXML(msg, "", ""); if (sProjectAction == "A") - res.push_back(std::make_pair(_("Messate Type"), _("Add Project"))); + res.push_back(std::make_pair(_("Message Type"), _("Add Project"))); else if (sProjectAction == "D") res.push_back(std::make_pair(_("Message Type"), _("Delete Project"))); @@ -378,7 +378,7 @@ std::vector> GetTxNormalBoincHashInfo(const { std::string sE(e.what()); - res.push_back(std::make_pair(_("ERROR"), _("Out of rance exception while parsing Transaction Message -> ") + sE)); + res.push_back(std::make_pair(_("ERROR"), _("Out of range exception while parsing Transaction Message -> ") + sE)); return res; } diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index 35d8d9c813..fac8ce865d 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -374,7 +374,7 @@ static const CRPCCommand vRPCCommands[] = { "debugnet", &debugnet, true, cat_developer }, { "dportally", &dportally, false, cat_developer }, { "exportstats1", &rpc_exportstats, false, cat_developer }, - { "forcequorom", &forcequorom, false, cat_developer }, + { "forcequorum", &forcequorum, false, cat_developer }, { "gatherneuralhashes", &gatherneuralhashes, false, cat_developer }, { "genboinckey", &genboinckey, false, cat_developer }, { "getblockstats", &rpc_getblockstats, false, cat_developer }, @@ -401,7 +401,7 @@ static const CRPCCommand vRPCCommands[] = #ifdef WIN32 { "testnewcontract", &testnewcontract, false, cat_developer }, #endif - { "updatequoromdata", &updatequoromdata, false, cat_developer }, + { "updatequorumdata", &updatequorumdata, false, cat_developer }, { "versionreport", &versionreport, false, cat_developer }, { "writedata", &writedata, false, cat_developer }, diff --git a/src/rpcserver.h b/src/rpcserver.h index ff8d00171c..77ac692d55 100644 --- a/src/rpcserver.h +++ b/src/rpcserver.h @@ -200,7 +200,7 @@ extern UniValue debug3(const UniValue& params, bool fHelp); extern UniValue debug4(const UniValue& params, bool fHelp); extern UniValue debugnet(const UniValue& params, bool fHelp); extern UniValue dportally(const UniValue& params, bool fHelp); -extern UniValue forcequorom(const UniValue& params, bool fHelp); +extern UniValue forcequorum(const UniValue& params, bool fHelp); extern UniValue gatherneuralhashes(const UniValue& params, bool fHelp); extern UniValue genboinckey(const UniValue& params, bool fHelp); extern UniValue rpc_getblockstats(const UniValue& params, bool fHelp); @@ -225,7 +225,7 @@ extern UniValue tallyneural(const UniValue& params, bool fHelp); #ifdef WIN32 extern UniValue testnewcontract(const UniValue& params, bool fHelp); #endif -extern UniValue updatequoromdata(const UniValue& params, bool fHelp); +extern UniValue updatequorumdata(const UniValue& params, bool fHelp); extern UniValue versionreport(const UniValue& params, bool fhelp); extern UniValue writedata(const UniValue& params, bool fHelp); From 068da3fcc2ddeafb33e57b4ab099aff234986a19 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 9 Aug 2018 14:42:34 -0700 Subject: [PATCH 32/50] Add a struct comparator for use with both mapArgs to allow find and count to be case insensitive --- src/util.cpp | 10 +++++----- src/util.h | 22 ++++++++++++++++++---- 2 files changed, 23 insertions(+), 9 deletions(-) diff --git a/src/util.cpp b/src/util.cpp index 3a69c6db6d..6b3d8b9cae 100755 --- a/src/util.cpp +++ b/src/util.cpp @@ -63,8 +63,8 @@ namespace boost { using namespace std; -map mapArgs; -map > mapMultiArgs; +map mapArgs; +map, mapArgscomp> mapMultiArgs; bool fDebug = false; bool fDebugNet = false; bool fDebug2 = false; @@ -467,7 +467,7 @@ vector ParseHex(const string& str) return ParseHex(str.c_str()); } -static void InterpretNegativeSetting(string name, map& mapSettingsRet) +static void InterpretNegativeSetting(string name, map& mapSettingsRet) { // interpret -nofoo as -foo=0 (and -nofoo=0 as -foo=1) as long as -foo not set if (name.find("-no") == 0) @@ -1166,8 +1166,8 @@ bool IsConfigFileEmpty() -void ReadConfigFile(map& mapSettingsRet, - map >& mapMultiSettingsRet) +void ReadConfigFile(map& mapSettingsRet, + map, mapArgscomp>& mapMultiSettingsRet) { boost::filesystem::ifstream streamConfig(GetConfigFile()); if (!streamConfig.good()) diff --git a/src/util.h b/src/util.h index 04dc5ecf97..bd49b96a4d 100644 --- a/src/util.h +++ b/src/util.h @@ -15,6 +15,7 @@ #include #include #include +#include #include #include @@ -80,8 +81,22 @@ static const int64_t CENT = 1000000; void MilliSleep(int64_t n); extern int GetDayOfYear(int64_t timestamp); -extern std::map mapArgs; -extern std::map > mapMultiArgs; + + +/** + * Allows search of mapArgs and mapMultiArgs in a case insensitive way + */ + +struct mapArgscomp +{ + bool operator() (const std::string& lhs, const std::string& rhs) const + { + return strcasecmp(lhs.c_str(), rhs.c_str()) < 0; + } +}; + +extern std::map mapArgs; +extern std::map, mapArgscomp> mapMultiArgs; extern bool fDebug; extern bool fDebugNet; extern bool fDebug2; @@ -188,7 +203,7 @@ boost::filesystem::path GetPidFile(); #ifndef WIN32 void CreatePidFile(const boost::filesystem::path &path, pid_t pid); #endif -void ReadConfigFile(std::map& mapSettingsRet, std::map >& mapMultiSettingsRet); +void ReadConfigFile(std::map& mapSettingsRet, std::map, mapArgscomp>& mapMultiSettingsRet); #ifdef WIN32 boost::filesystem::path GetSpecialFolderPath(int nFolder, bool fCreate = true); #endif @@ -376,7 +391,6 @@ inline bool IsSwitchChar(char c) return c == '-'; #endif } - /** * Return string argument or default value * From 48e8bf791a8b06c036ef738b533325f2e159710e Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 9 Aug 2018 15:32:32 -0700 Subject: [PATCH 33/50] Add probably overkill test but we should test the scenarios anyway --- src/test/util_tests.cpp | 36 ++++++++++++++++++++++++++++++++++++ 1 file changed, 36 insertions(+) diff --git a/src/test/util_tests.cpp b/src/test/util_tests.cpp index 1bde20ff14..486293ef4c 100755 --- a/src/test/util_tests.cpp +++ b/src/test/util_tests.cpp @@ -360,4 +360,40 @@ BOOST_AUTO_TEST_CASE(util_VerifySplit3) BOOST_CHECK_EQUAL("", res[0]); } +BOOST_AUTO_TEST_CASE(util_mapArgsComparator) +{ + mapArgs.clear(); + + mapArgs["-UPPERCASE"] = "uppertest"; + mapArgs["-MuLtIcAsE"] = "multitest"; + mapArgs["-lowercase"] = "lowertest"; + + BOOST_CHECK_EQUAL(mapArgs["-UpPeRcAsE"], mapArgs["-uppercase"]); + BOOST_CHECK_EQUAL(mapArgs["-uppercase"], mapArgs["-UPPERCASE"]); + BOOST_CHECK_EQUAL(mapArgs["-multicase"], mapArgs["-multicase"]); + BOOST_CHECK_EQUAL(mapArgs["-MULTICASE"], mapArgs["-MuLtIcAsE"]); + BOOST_CHECK_EQUAL(mapArgs["-LOWERCASE"], mapArgs["-LoWeRcAsE"]); + BOOST_CHECK_EQUAL(mapArgs["-LoWeRcAsE"], mapArgs["-lowercase"]); + + mapArgs["-modify"] = "testa"; + + BOOST_CHECK_EQUAL(mapArgs["-modify"], "testa"); + + mapArgs["-MoDiFy"] = "testb"; + + BOOST_CHECK_EQUAL(mapArgs["-modify"], "testb"); + BOOST_CHECK_NE(mapArgs["-modify"], "testa"); + + mapArgs["-MODIFY"] = "testc"; + + BOOST_CHECK_EQUAL(mapArgs["-modify"], "testc"); + BOOST_CHECK_NE(mapArgs["-modify"], "testb"); + + BOOST_CHECK_EQUAL(mapArgs.count("-modify"), 1); + BOOST_CHECK_EQUAL(mapArgs.count("-MODIFY"), 1); + BOOST_CHECK_EQUAL(mapArgs.count("-MoDiFy"), 1); + + BOOST_CHECK_EQUAL(mapArgs.size(), 4); +} + BOOST_AUTO_TEST_SUITE_END() From f9008ed346c21d90be2e4c9642b9efadece09a00 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 9 Aug 2018 15:34:16 -0700 Subject: [PATCH 34/50] remove stray space --- src/util.h | 1 - 1 file changed, 1 deletion(-) diff --git a/src/util.h b/src/util.h index bd49b96a4d..20f941e3a1 100644 --- a/src/util.h +++ b/src/util.h @@ -82,7 +82,6 @@ void MilliSleep(int64_t n); extern int GetDayOfYear(int64_t timestamp); - /** * Allows search of mapArgs and mapMultiArgs in a case insensitive way */ From 7e3c4a0e451a6dfb3f65d51d3b1ac46252f26da7 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 9 Aug 2018 16:54:04 -0700 Subject: [PATCH 35/50] small requested changes --- src/rpcblockchain.cpp | 9 +++------ 1 file changed, 3 insertions(+), 6 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index ddb04eff2e..f1960c39c0 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1872,7 +1872,7 @@ UniValue projects(const UniValue& params, bool fHelp) LOCK(cs_main); - if (mvCPIDs.size() < 1) + if (mvCPIDs.empty()) HarvestCPIDs(false); for (const auto& item : ReadCacheSection("project")) @@ -1897,13 +1897,11 @@ UniValue projects(const UniValue& params, bool fHelp) entry.pushKV("Project", sProjectName); entry.pushKV("URL", sProjectURL); - if (mvCPIDs.size() > 0) + if (!mvCPIDs.empty()) { StructCPID structcpid = mvCPIDs[sProjectName]; - if (structcpid.initialized) - { - if (IsResearcher(structcpid.cpid) && IsResearcher(GlobalCPUMiningCPID.cpid)) + if (structcpid.initialized && IsResearcher(structcpid.cpid) && IsResearcher(GlobalCPUMiningCPID.cpid)) { UniValue researcher(UniValue::VOBJ); @@ -1916,7 +1914,6 @@ UniValue projects(const UniValue& params, bool fHelp) entry.pushKV("Researcher", researcher); } - } } res.push_back(entry); From bf9fd2a8ebcaad4a6c0d894bc733374c2909b58b Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Fri, 10 Aug 2018 15:46:00 -0700 Subject: [PATCH 36/50] Use typedef for argument maps --- src/util.cpp | 11 ++++++----- src/util.h | 10 +++++++--- 2 files changed, 13 insertions(+), 8 deletions(-) diff --git a/src/util.cpp b/src/util.cpp index 6b3d8b9cae..bab2634be9 100755 --- a/src/util.cpp +++ b/src/util.cpp @@ -63,8 +63,9 @@ namespace boost { using namespace std; -map mapArgs; -map, mapArgscomp> mapMultiArgs; +tArgs mapArgs; +tMultiArgs mapMultiArgs; + bool fDebug = false; bool fDebugNet = false; bool fDebug2 = false; @@ -467,7 +468,7 @@ vector ParseHex(const string& str) return ParseHex(str.c_str()); } -static void InterpretNegativeSetting(string name, map& mapSettingsRet) +static void InterpretNegativeSetting(string name, tArgs& mapSettingsRet) { // interpret -nofoo as -foo=0 (and -nofoo=0 as -foo=1) as long as -foo not set if (name.find("-no") == 0) @@ -1166,8 +1167,8 @@ bool IsConfigFileEmpty() -void ReadConfigFile(map& mapSettingsRet, - map, mapArgscomp>& mapMultiSettingsRet) +void ReadConfigFile(tArgs& mapSettingsRet, + tMultiArgs& mapMultiSettingsRet) { boost::filesystem::ifstream streamConfig(GetConfigFile()); if (!streamConfig.good()) diff --git a/src/util.h b/src/util.h index 20f941e3a1..b3e68400fe 100644 --- a/src/util.h +++ b/src/util.h @@ -94,8 +94,12 @@ struct mapArgscomp } }; -extern std::map mapArgs; -extern std::map, mapArgscomp> mapMultiArgs; +typedef std::map tArgs; +typedef std::map, mapArgscomp> tMultiArgs; + +extern tArgs mapArgs; +extern tMultiArgs mapMultiArgs; + extern bool fDebug; extern bool fDebugNet; extern bool fDebug2; @@ -202,7 +206,7 @@ boost::filesystem::path GetPidFile(); #ifndef WIN32 void CreatePidFile(const boost::filesystem::path &path, pid_t pid); #endif -void ReadConfigFile(std::map& mapSettingsRet, std::map, mapArgscomp>& mapMultiSettingsRet); +void ReadConfigFile(tArgs& mapSettingsRet, tMultiArgs& mapMultiSettingsRet); #ifdef WIN32 boost::filesystem::path GetSpecialFolderPath(int nFolder, bool fCreate = true); #endif From 01f635f71a3e533ffd3024d4d7d0b2e491019a61 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Sun, 12 Aug 2018 13:59:07 -0700 Subject: [PATCH 37/50] Change to ArgsMap and ArgsMultiMap --- src/util.cpp | 10 +++++----- src/util.h | 10 +++++----- 2 files changed, 10 insertions(+), 10 deletions(-) diff --git a/src/util.cpp b/src/util.cpp index bab2634be9..b064dccabe 100755 --- a/src/util.cpp +++ b/src/util.cpp @@ -63,8 +63,8 @@ namespace boost { using namespace std; -tArgs mapArgs; -tMultiArgs mapMultiArgs; +ArgsMap mapArgs; +ArgsMultiMap mapMultiArgs; bool fDebug = false; bool fDebugNet = false; @@ -468,7 +468,7 @@ vector ParseHex(const string& str) return ParseHex(str.c_str()); } -static void InterpretNegativeSetting(string name, tArgs& mapSettingsRet) +static void InterpretNegativeSetting(string name, ArgsMap& mapSettingsRet) { // interpret -nofoo as -foo=0 (and -nofoo=0 as -foo=1) as long as -foo not set if (name.find("-no") == 0) @@ -1167,8 +1167,8 @@ bool IsConfigFileEmpty() -void ReadConfigFile(tArgs& mapSettingsRet, - tMultiArgs& mapMultiSettingsRet) +void ReadConfigFile(ArgsMap& mapSettingsRet, + ArgsMultiMap& mapMultiSettingsRet) { boost::filesystem::ifstream streamConfig(GetConfigFile()); if (!streamConfig.good()) diff --git a/src/util.h b/src/util.h index b3e68400fe..8ee2076307 100644 --- a/src/util.h +++ b/src/util.h @@ -94,11 +94,11 @@ struct mapArgscomp } }; -typedef std::map tArgs; -typedef std::map, mapArgscomp> tMultiArgs; +typedef std::map ArgsMap; +typedef std::map, mapArgscomp> ArgsMultiMap; -extern tArgs mapArgs; -extern tMultiArgs mapMultiArgs; +extern ArgsMap mapArgs; +extern ArgsMultiMap mapMultiArgs; extern bool fDebug; extern bool fDebugNet; @@ -206,7 +206,7 @@ boost::filesystem::path GetPidFile(); #ifndef WIN32 void CreatePidFile(const boost::filesystem::path &path, pid_t pid); #endif -void ReadConfigFile(tArgs& mapSettingsRet, tMultiArgs& mapMultiSettingsRet); +void ReadConfigFile(ArgsMap& mapSettingsRet, ArgsMultiMap& mapMultiSettingsRet); #ifdef WIN32 boost::filesystem::path GetSpecialFolderPath(int nFolder, bool fCreate = true); #endif From cd020a46a0237c0d60abee24e90ccd875c86d724 Mon Sep 17 00:00:00 2001 From: Marco Nilsson Date: Mon, 13 Aug 2018 06:30:18 +0200 Subject: [PATCH 38/50] Merge pull request #1060 from tomasbrod/supercfwd Superblock Contract Forwarding --- src/main.cpp | 37 ++++++-- src/miner.cpp | 231 ++++++++++++++++++++++++++++++++++++++++++++------ src/miner.h | 8 ++ 3 files changed, 240 insertions(+), 36 deletions(-) diff --git a/src/main.cpp b/src/main.cpp index 04f45c173a..d60853f944 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -5304,8 +5304,8 @@ bool WriteKey(std::string sKey, std::string sValue) fWritten=true; } } - sLine = strReplace(sLine, "\r", ""); - sLine = strReplace(sLine, "\n", ""); + sLine = strReplace(sLine,"\r",""); + sLine = strReplace(sLine,"\n",""); sLine += "\n"; sConfig += sLine; } @@ -7081,6 +7081,12 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, } else if (neural_request=="neural_hash") { + if(0==neural_request_id.compare(0,13,"supercfwd.rqa")) + { + std::string r_hash; vRecv >> r_hash; + supercfwd::SendResponse(pfrom,r_hash); + } + else pfrom->PushMessage("hash_nresp", NN::GetNeuralHash()); } else if (neural_request=="explainmag") @@ -7093,6 +7099,11 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, // 7-12-2015 Resolve discrepencies in w nodes to speak to each other pfrom->PushMessage("quorum_nresp", NN::GetNeuralContract()); } + else if (neural_request=="supercfwdr") + { + // this command could be done by reusing quorum_nresp, but I do not want to confuse the NN + supercfwd::QuorumResponseHook(pfrom,neural_request_id); + } } else if (strCommand == "ping") { @@ -7178,6 +7189,9 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, // nNeuralNonce must match request ID pfrom->NeuralHash = neural_response; if (fDebug10) LogPrintf("hash_Neural Response %s ",neural_response); + + // Hook into miner for delegated sb staking + supercfwd::HashResponseHook(pfrom, neural_response); } else if (strCommand == "expmag_nresp") { @@ -7203,6 +7217,9 @@ bool static ProcessMessage(CNode* pfrom, string strCommand, CDataStream& vRecv, results = NN::ExecuteDotNetStringFunction("ResolveDiscrepancies",neural_contract); if (fDebug && !results.empty()) LogPrintf("Quorum Resolution: %s ",results); } + + // Hook into miner for delegated sb staking + supercfwd::QuorumResponseHook(pfrom,neural_contract); } else if (strCommand == "ndata_nresp") { @@ -7620,13 +7637,13 @@ std::string strReplace(std::string& str, const std::string& oldStr, const std::s { assert(oldStr.empty() == false && "Cannot replace an empty string"); - size_t pos = 0; + size_t pos = 0; while((pos = str.find(oldStr, pos)) != std::string::npos) { - str.replace(pos, oldStr.length(), newStr); - pos += newStr.length(); - } - return str; + str.replace(pos, oldStr.length(), newStr); + pos += newStr.length(); + } + return str; } std::string LowerUnderscore(std::string data) @@ -7785,7 +7802,7 @@ void HarvestCPIDs(bool cleardata) int64_t elapsed = GetTimeMillis()-nStart; if (fDebug3) LogPrintf("Enumerating boinc local project %s cpid %s valid %s, elapsed %" PRId64, structcpid.projectname, structcpid.cpid, YesNo(structcpid.Iscpidvalid), elapsed); - + structcpid.rac = RoundFromString(rac,0); structcpid.verifiedrac = RoundFromString(rac,0); std::string sLocalClientEmailHash = RetrieveMd5(email); @@ -8400,9 +8417,9 @@ bool MemorizeMessage(const CTransaction &tx, double dAmount, std::string sRecipi if(fDebug) WriteCache("TrxID;"+sMessageType,sMessageKey,tx.GetHash().GetHex(),nTime); - } } } + } return fMessageLoaded; } @@ -8520,6 +8537,8 @@ int64_t ComputeResearchAccrual(int64_t nTime, std::string cpid, std::string oper { if(fDebug) LogPrintf("ComputeResearchAccrual: %s Block Span less than 10 (%d) -> Accrual 0 (would be %f)", cpid, iRABlockSpan, Accrual/(double)COIN); if(fDebug2) LogPrintf(" pHistorical w %s", pHistorical->GetBlockHash().GetHex()); + + // Note that if the RA Block Span < 10, we want to return 0 for the Accrual Amount so the CPID can still receive an accurate accrual in the future return 0; } diff --git a/src/miner.cpp b/src/miner.cpp index 1d76fc26f6..5ee29e42eb 100755 --- a/src/miner.cpp +++ b/src/miner.cpp @@ -662,31 +662,171 @@ bool SignStakeBlock(CBlock &block, CKey &key, vector &StakeInp return true; } -void AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) + +/* Super Contract Forwarding */ +namespace supercfwd { - if(OutOfSyncByAge()) + std::string sCacheHash; + std::string sBinContract; + bool fEnable(false); + + int RequestAnyNode(const std::string& consensus_hash) { - LogPrintf("AddNeuralContractOrVote: Out Of Sync"); - return; + const bool& fDebug10= fDebug; //temporary + LOCK(cs_vNodes); + CNode* pNode= vNodes[rand()%vNodes.size()]; + + if(fDebug10) LogPrintf("supercfwd.RequestAnyNode %s requesting neural hash",pNode->addrName); + pNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("neural_hash"), + /*reqid*/std::string("supercfwd.rqa"), consensus_hash); + + return true; } - /* Retrive the neural Contract */ - const std::string& sb_contract = NN::GetNeuralContract(); - const std::string& sb_hash = GetQuorumHash(sb_contract); + int MaybeRequest() + { + if(!fEnable) + return false; - if(sb_contract.empty()) + if(OutOfSyncByAge() || pindexBest->nVersion < 9) + return false; + + if(!NeedASuperblock()) + return false; + + /* + if(!IsNeuralNodeParticipant(bb.GRCAddress, blocknew.nTime)) + return false; + */ + + double popularity = 0; + std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + + if(consensus_hash==sCacheHash && !sBinContract.empty()) + return false; + + if(popularity<=0) + return false; + + if(fDebug2) LogPrintf("supercfwd.MaybeRequestHash: requesting"); + RequestAnyNode(consensus_hash); + return true; + } + + int SendOutRcvdHash() { - LogPrintf("AddNeuralContractOrVote: Local Contract Empty"); - return; + LOCK(cs_vNodes); + for (auto const& pNode : vNodes) + { + const bool bNeural= Contains(pNode->strSubVer, "1999"); + const bool bParticip= IsNeuralNodeParticipant(pNode->sGRCAddress, GetAdjustedTime()); + if(bParticip && !bNeural) + { + if(fDebug) LogPrintf("supercfwd.SendOutRcvdHash to %s",pNode->addrName); + pNode->PushMessage("hash_nresp", sCacheHash, std::string("supercfwd.sorh")); + //pNode->PushMessage("neural", std::string("supercfwdr"), sBinContract); + } + } + return true; + } + + void HashResponseHook(CNode* fromNode, const std::string& neural_response) + { + assert(fromNode); + if(!fEnable) + return; + if(neural_response.length() != 32) + return; + if("d41d8cd98f00b204e9800998ecf8427e"==neural_response) + return; + const std::string logprefix = "supercfwd.HashResponseHook: from "+fromNode->addrName+" hash "+neural_response; + + if(neural_response!=sCacheHash) + { + double popularity = 0; + const std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + + if(neural_response==consensus_hash) + { + if(fDebug) LogPrintf("%s requesting contract data",logprefix); + fromNode->PushMessage(/*command*/ "neural", /*subcommand*/ std::string("quorum"), /*reqid*/std::string("supercfwd.hrh")); + } + else + { + if(fDebug) LogPrintf("%s not matching consensus",logprefix); + //TODO: try another peer faster + } + } + else if(fDebug) LogPrintf("%s already cached",logprefix); + } + + void QuorumResponseHook(CNode* fromNode, const std::string& neural_response) + { + assert(fromNode); + const auto resp_length= neural_response.length(); + + if(fEnable && resp_length >= 10) + { + const std::string rcvd_contract= UnpackBinarySuperblock(std::move(neural_response)); + const std::string rcvd_hash = GetQuorumHash(rcvd_contract); + const std::string logprefix = "supercfwd.QuorumResponseHook: from "+fromNode->addrName + " hash "+rcvd_hash; + + if(rcvd_hash!=sCacheHash) + { + double popularity = 0; + const std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); + + if(rcvd_hash==consensus_hash) + { + LogPrintf("%s good contract save",logprefix); + sBinContract= PackBinarySuperblock(std::move(rcvd_contract)); + sCacheHash= std::move(rcvd_hash); + + if(!fNoListen) + SendOutRcvdHash(); + } + else + { + if(fDebug) LogPrintf("%s not matching consensus, (size %d)",logprefix,resp_length); + //TODO: try another peer faster + } + } + else if(fDebug) LogPrintf("%s already cached",logprefix); + } + //else if(fDebug10) LogPrintf("%s invalid data",logprefix); } + void SendResponse(CNode* fromNode, const std::string& req_hash) + { + const std::string nn_hash(NN::GetNeuralHash()); + const bool& fDebug10= fDebug; //temporary + if(req_hash==sCacheHash) + { + if(fDebug10) LogPrintf("supercfwd.SendResponse: %s requested %s, sending forwarded binary contract (size %d)",fromNode->addrName,req_hash,sBinContract.length()); + fromNode->PushMessage("neural", std::string("supercfwdr"), + sBinContract); + } + else if(req_hash==nn_hash) + { + std::string nn_data= PackBinarySuperblock(NN::GetNeuralContract()); + if(fDebug10) LogPrintf("supercfwd.SendResponse: %s requested %s, sending our nn binary contract (size %d)",fromNode->addrName,req_hash,nn_data.length()); + fromNode->PushMessage("neural", std::string("supercfwdr"), + std::move(nn_data)); + } + else + { + if(fDebug10) LogPrintf("supercfwd.SendResponse: to %s don't have %s, sending %s",fromNode->addrName,req_hash,nn_hash); + fromNode->PushMessage("hash_nresp", nn_hash, std::string()); + } + } +} - /* To save network bandwidth, start posting the neural hashes in the - CurrentNeuralHash field, so that out of sync neural network nodes can - request neural data from those that are already synced and agree with the - supermajority over the last 24 hrs - Note: CurrentNeuralHash is not actually used for sb validity - */ - bb.CurrentNeuralHash = sb_hash; +void AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) +{ + if(OutOfSyncByAge()) + { + LogPrintf("AddNeuralContractOrVote: Out Of Sync"); + return; + } if(!IsNeuralNodeParticipant(bb.GRCAddress, blocknew.nTime)) { @@ -709,10 +849,6 @@ void AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) int pending_height = RoundFromString(ReadCache("neuralsecurity","pending").value, 0); - /* Add our Neural Vote */ - bb.NeuralHash = sb_hash; - LogPrintf("AddNeuralContractOrVote: Added our Neural Vote %s",sb_hash); - if (pending_height>=(pindexBest->nHeight-200)) { LogPrintf("AddNeuralContractOrVote: already Pending"); @@ -722,15 +858,51 @@ void AddNeuralContractOrVote(const CBlock &blocknew, MiningCPID &bb) double popularity = 0; std::string consensus_hash = GetNeuralNetworkSupermajorityHash(popularity); - if (consensus_hash!=sb_hash) + /* Retrive the neural Contract */ + const std::string& sb_contract = NN::GetNeuralContract(); + const std::string& sb_hash = GetQuorumHash(sb_contract); + + if(!sb_contract.empty()) { - LogPrintf("AddNeuralContractOrVote: not in Consensus"); - return; + + /* To save network bandwidth, start posting the neural hashes in the + CurrentNeuralHash field, so that out of sync neural network nodes can + request neural data from those that are already synced and agree with the + supermajority over the last 24 hrs + Note: CurrentNeuralHash is not actually used for sb validity + */ + bb.CurrentNeuralHash = sb_hash; + + /* Add our Neural Vote */ + bb.NeuralHash = sb_hash; + LogPrintf("AddNeuralContractOrVote: Added our Neural Vote %s",sb_hash); + + if (consensus_hash!=sb_hash) + { + LogPrintf("AddNeuralContractOrVote: not in Consensus"); + return; + } + + /* We have consensus, Add our neural contract */ + bb.superblock = PackBinarySuperblock(sb_contract); + LogPrintf("AddNeuralContractOrVote: Added our Superblock (size %" PRIszu ")",bb.superblock.length()); } + else + { + LogPrintf("AddNeuralContractOrVote: Local Contract Empty"); + + /* Do NOT add a Neural Vote alone, because this hash is not Trusted! */ - /* We have consensus, Add our neural contract */ - bb.superblock = PackBinarySuperblock(sb_contract); - LogPrintf("AddNeuralContractOrVote: Added our Superblock (size %" PRIszu ")",bb.superblock.length()); + if(!supercfwd::sBinContract.empty() && consensus_hash==supercfwd::sCacheHash) + { + assert(GetQuorumHash(UnpackBinarySuperblock(supercfwd::sBinContract))==consensus_hash); //disable for performace + + bb.NeuralHash = supercfwd::sCacheHash; + bb.superblock = supercfwd::sBinContract; + LogPrintf("AddNeuralContractOrVote: Added forwarded Superblock (size %" PRIszu ") (hash %s)",bb.superblock.length(),bb.NeuralHash); + } + else LogPrintf("AddNeuralContractOrVote: Forwarded Contract Empty or not in Consensus"); + } return; } @@ -856,6 +1028,9 @@ void StakeMiner(CWallet *pwallet) MinerAutoUnlockFeature(pwallet); + supercfwd::fEnable= GetBoolArg("-supercfwd",true); + if(fDebug) LogPrintf("supercfwd::fEnable= %d",supercfwd::fEnable); + while (!fShutdown) { //wait for next round @@ -887,6 +1062,8 @@ void StakeMiner(CWallet *pwallet) continue; } + supercfwd::MaybeRequest(); + // Lock main lock since GetNextProject and subsequent calls // require the state to be static. LOCK(cs_main); diff --git a/src/miner.h b/src/miner.h index 5ac381c27a..b2cf70e457 100644 --- a/src/miner.h +++ b/src/miner.h @@ -31,4 +31,12 @@ struct CMinerStatus extern CMinerStatus MinerStatus; extern unsigned int nMinerSleep; +namespace supercfwd +{ + int MaybeRequest(); + void HashResponseHook(CNode* fromNode, const std::string& neural_response); + void QuorumResponseHook(CNode* fromNode, const std::string& neural_response); + void SendResponse(CNode* fromNode, const std::string& req_hash); +} + #endif // NOVACOIN_MINER_H From 10ecef1ef267015451b9734d6f5d1eb06d07d59b Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Mon, 13 Aug 2018 17:28:50 -0700 Subject: [PATCH 39/50] add owed to magnitudereport --- src/rpcblockchain.cpp | 1 + 1 file changed, 1 insertion(+) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index f1960c39c0..f774696b92 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -2459,6 +2459,7 @@ UniValue MagnitudeReport(std::string cpid) entry.pushKV("Earliest Payment Time",TimestampToHRDate(stCPID.LowLockTime)); entry.pushKV("Magnitude (Last Superblock)", structMag.Magnitude); entry.pushKV("Research Payments (14 days)",structMag.payments); + entry.pushKV("Owed",structMag.owed); entry.pushKV("Daily Paid",structMag.payments/14); // Research Age - Calculate Expected 14 Day Owed, and Daily Owed: double dExpected14 = magnitude_unit * structMag.Magnitude * 14; From c79e8ef08b19ad72fe439261d65e665a114416bc Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Mon, 13 Aug 2018 21:03:50 -0700 Subject: [PATCH 40/50] update bitcoinstrings --- src/qt/bitcoinstrings.cpp | 90 +++++++++++++++++++++++++++++++-------- 1 file changed, 73 insertions(+), 17 deletions(-) diff --git a/src/qt/bitcoinstrings.cpp b/src/qt/bitcoinstrings.cpp index 4210086955..7e2397690d 100644 --- a/src/qt/bitcoinstrings.cpp +++ b/src/qt/bitcoinstrings.cpp @@ -9,8 +9,9 @@ #define UNUSED #endif static const char UNUSED *bitcoin_strings[] = { -QT_TRANSLATE_NOOP("bitcoin-core", "Bitcoin Core"), -QT_TRANSLATE_NOOP("bitcoin-core", "The %s developers"), +QT_TRANSLATE_NOOP("bitcoin-core", "None"), +QT_TRANSLATE_NOOP("bitcoin-core", "None"), +QT_TRANSLATE_NOOP("bitcoin-core", " days"), QT_TRANSLATE_NOOP("bitcoin-core", "" "%s, you must set a rpcpassword in the configuration file:\n" " %s\n" @@ -25,6 +26,9 @@ QT_TRANSLATE_NOOP("bitcoin-core", "" "for example: alertnotify=echo %%s | mail -s \"Gridcoin Alert\" admin@foo." "com\n"), QT_TRANSLATE_NOOP("bitcoin-core", "" +"A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks " +"for your beacon to enter the chain."), +QT_TRANSLATE_NOOP("bitcoin-core", "" "Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!" "3DES:@STRENGTH)"), QT_TRANSLATE_NOOP("bitcoin-core", "" @@ -37,7 +41,7 @@ QT_TRANSLATE_NOOP("bitcoin-core", "" "running."), QT_TRANSLATE_NOOP("bitcoin-core", "" "Delete all wallet transactions and only recover those parts of the " -"blockchain through -rescan on startup\n"), +"blockchain through -rescan on startup"), QT_TRANSLATE_NOOP("bitcoin-core", "" "Enforce transaction scripts to use canonical PUSH operators (default: 1)"), QT_TRANSLATE_NOOP("bitcoin-core", "" @@ -73,8 +77,8 @@ QT_TRANSLATE_NOOP("bitcoin-core", "" QT_TRANSLATE_NOOP("bitcoin-core", "" "Unable to bind to %s on this computer. Gridcoin is probably already running."), QT_TRANSLATE_NOOP("bitcoin-core", "" -"WARNING: Invalid checkpoint found! Displayed transactions may not be " -"correct! You may need to upgrade, or notify developers."), +"Unable to obtain superblock data before vote was made to calculate voting " +"weight"), QT_TRANSLATE_NOOP("bitcoin-core", "" "Warning: -paytxfee is set very high! This is the transaction fee you will " "pay if you send a transaction."), @@ -98,46 +102,71 @@ QT_TRANSLATE_NOOP("bitcoin-core", "" "permissions."), QT_TRANSLATE_NOOP("bitcoin-core", "Accept command line and JSON-RPC commands"), QT_TRANSLATE_NOOP("bitcoin-core", "Accept connections from outside (default: 1 if no -proxy or -connect)"), +QT_TRANSLATE_NOOP("bitcoin-core", "Add Beacon Contract"), +QT_TRANSLATE_NOOP("bitcoin-core", "Add Foundation Poll"), +QT_TRANSLATE_NOOP("bitcoin-core", "Add Poll"), +QT_TRANSLATE_NOOP("bitcoin-core", "Add Project"), QT_TRANSLATE_NOOP("bitcoin-core", "Add a node to connect to and attempt to keep the connection open"), +QT_TRANSLATE_NOOP("bitcoin-core", "Address"), +QT_TRANSLATE_NOOP("bitcoin-core", "Alert: "), QT_TRANSLATE_NOOP("bitcoin-core", "All BOINC projects exhausted."), QT_TRANSLATE_NOOP("bitcoin-core", "Allow DNS lookups for -addnode, -seednode and -connect"), QT_TRANSLATE_NOOP("bitcoin-core", "Allow JSON-RPC connections from specified IP address"), +QT_TRANSLATE_NOOP("bitcoin-core", "Answer"), +QT_TRANSLATE_NOOP("bitcoin-core", "Answers"), QT_TRANSLATE_NOOP("bitcoin-core", "Attempt to recover private keys from a corrupt wallet.dat"), +QT_TRANSLATE_NOOP("bitcoin-core", "Average Magnitude"), QT_TRANSLATE_NOOP("bitcoin-core", "Balance too low to create a smart contract."), +QT_TRANSLATE_NOOP("bitcoin-core", "Balance"), QT_TRANSLATE_NOOP("bitcoin-core", "Bind to given address. Use [host]:port notation for IPv6"), +QT_TRANSLATE_NOOP("bitcoin-core", "Block Version"), QT_TRANSLATE_NOOP("bitcoin-core", "Block creation options:"), +QT_TRANSLATE_NOOP("bitcoin-core", "Block not in index"), +QT_TRANSLATE_NOOP("bitcoin-core", "Block read failed"), QT_TRANSLATE_NOOP("bitcoin-core", "Boinc Mining"), +QT_TRANSLATE_NOOP("bitcoin-core", "Boinc Public Key"), +QT_TRANSLATE_NOOP("bitcoin-core", "Boinc Reward"), +QT_TRANSLATE_NOOP("bitcoin-core", "CPID"), QT_TRANSLATE_NOOP("bitcoin-core", "Cannot downgrade wallet"), QT_TRANSLATE_NOOP("bitcoin-core", "Cannot resolve -bind address: '%s'"), QT_TRANSLATE_NOOP("bitcoin-core", "Cannot resolve -externalip address: '%s'"), QT_TRANSLATE_NOOP("bitcoin-core", "Cannot write default address"), +QT_TRANSLATE_NOOP("bitcoin-core", "Client Version"), QT_TRANSLATE_NOOP("bitcoin-core", "Compute Neural Network Hashes..."), QT_TRANSLATE_NOOP("bitcoin-core", "Connect only to the specified node(s)"), QT_TRANSLATE_NOOP("bitcoin-core", "Connect through socks proxy"), QT_TRANSLATE_NOOP("bitcoin-core", "Connect to a node to retrieve peer addresses, and disconnect"), +QT_TRANSLATE_NOOP("bitcoin-core", "Contract length for beacon is less then 256 in length. Size: "), +QT_TRANSLATE_NOOP("bitcoin-core", "Current Neural Hash"), +QT_TRANSLATE_NOOP("bitcoin-core", "Data"), +QT_TRANSLATE_NOOP("bitcoin-core", "Delete Beacon Contract"), +QT_TRANSLATE_NOOP("bitcoin-core", "Delete Project"), +QT_TRANSLATE_NOOP("bitcoin-core", "Difficulty"), QT_TRANSLATE_NOOP("bitcoin-core", "Discover own IP address (default: 1 when listening and no -externalip)"), QT_TRANSLATE_NOOP("bitcoin-core", "Done loading"), +QT_TRANSLATE_NOOP("bitcoin-core", "Duration"), +QT_TRANSLATE_NOOP("bitcoin-core", "ERROR"), QT_TRANSLATE_NOOP("bitcoin-core", "Error loading blkindex.dat"), QT_TRANSLATE_NOOP("bitcoin-core", "Error loading wallet.dat"), QT_TRANSLATE_NOOP("bitcoin-core", "Error loading wallet.dat: Wallet corrupted"), QT_TRANSLATE_NOOP("bitcoin-core", "Error loading wallet.dat: Wallet requires newer version of Gridcoin"), QT_TRANSLATE_NOOP("bitcoin-core", "Error obtaining next project. Error 06172014."), QT_TRANSLATE_NOOP("bitcoin-core", "Error obtaining next project. Error 16172014."), -QT_TRANSLATE_NOOP("bitcoin-core", "Error obtaining status (08-18-2014)."), QT_TRANSLATE_NOOP("bitcoin-core", "Error obtaining status."), QT_TRANSLATE_NOOP("bitcoin-core", "Error"), QT_TRANSLATE_NOOP("bitcoin-core", "Error: Transaction creation failed "), QT_TRANSLATE_NOOP("bitcoin-core", "Error: Wallet locked, unable to create transaction "), QT_TRANSLATE_NOOP("bitcoin-core", "Error: Wallet unlocked for staking only, unable to create transaction."), QT_TRANSLATE_NOOP("bitcoin-core", "Error: could not start node"), +QT_TRANSLATE_NOOP("bitcoin-core", "Expires"), QT_TRANSLATE_NOOP("bitcoin-core", "Failed to listen on any port. Use -listen=0 if you want this."), QT_TRANSLATE_NOOP("bitcoin-core", "Fee per KB to add to transactions you send"), QT_TRANSLATE_NOOP("bitcoin-core", "Find peers using DNS lookup (default: 1)"), -QT_TRANSLATE_NOOP("bitcoin-core", "Find peers using internet relay chat (default: 0)"), QT_TRANSLATE_NOOP("bitcoin-core", "Finding first applicable Research Project..."), QT_TRANSLATE_NOOP("bitcoin-core", "Get help for a command"), QT_TRANSLATE_NOOP("bitcoin-core", "Gridcoin version"), QT_TRANSLATE_NOOP("bitcoin-core", "Gridcoin"), +QT_TRANSLATE_NOOP("bitcoin-core", "Height"), QT_TRANSLATE_NOOP("bitcoin-core", "How many blocks to check at startup (default: 2500, 0 = all)"), QT_TRANSLATE_NOOP("bitcoin-core", "How thorough the block verification is (0-6, default: 1)"), QT_TRANSLATE_NOOP("bitcoin-core", "Importing blockchain data file."), @@ -145,12 +174,15 @@ QT_TRANSLATE_NOOP("bitcoin-core", "Importing bootstrap blockchain data file."), QT_TRANSLATE_NOOP("bitcoin-core", "Imports blocks from external blk000?.dat file"), QT_TRANSLATE_NOOP("bitcoin-core", "Initialization sanity check failed. Gridcoin is shutting down."), QT_TRANSLATE_NOOP("bitcoin-core", "Insufficient funds"), +QT_TRANSLATE_NOOP("bitcoin-core", "Interest"), QT_TRANSLATE_NOOP("bitcoin-core", "Invalid -proxy address: '%s'"), QT_TRANSLATE_NOOP("bitcoin-core", "Invalid -tor address: '%s'"), QT_TRANSLATE_NOOP("bitcoin-core", "Invalid amount for -mininput=: '%s'"), QT_TRANSLATE_NOOP("bitcoin-core", "Invalid amount for -paytxfee=: '%s'"), QT_TRANSLATE_NOOP("bitcoin-core", "Invalid amount for -reservebalance="), QT_TRANSLATE_NOOP("bitcoin-core", "Invalid amount"), +QT_TRANSLATE_NOOP("bitcoin-core", "Invalid argument exception while parsing Transaction Message -> "), +QT_TRANSLATE_NOOP("bitcoin-core", "Is Superblock"), QT_TRANSLATE_NOOP("bitcoin-core", "List commands"), QT_TRANSLATE_NOOP("bitcoin-core", "Listen for connections on (default: 32749 or testnet: 32748)"), QT_TRANSLATE_NOOP("bitcoin-core", "Loading Network Averages..."), @@ -158,21 +190,42 @@ QT_TRANSLATE_NOOP("bitcoin-core", "Loading Persisted Data Cache..."), QT_TRANSLATE_NOOP("bitcoin-core", "Loading addresses..."), QT_TRANSLATE_NOOP("bitcoin-core", "Loading block index..."), QT_TRANSLATE_NOOP("bitcoin-core", "Loading wallet..."), +QT_TRANSLATE_NOOP("bitcoin-core", "Low difficulty!; "), +QT_TRANSLATE_NOOP("bitcoin-core", "Magnitude"), QT_TRANSLATE_NOOP("bitcoin-core", "Maintain at most connections to peers (default: 125)"), QT_TRANSLATE_NOOP("bitcoin-core", "Maximum number of outbound connections (default: 8)"), QT_TRANSLATE_NOOP("bitcoin-core", "Maximum per-connection receive buffer, *1000 bytes (default: 5000)"), QT_TRANSLATE_NOOP("bitcoin-core", "Maximum per-connection send buffer, *1000 bytes (default: 1000)"), +QT_TRANSLATE_NOOP("bitcoin-core", "Message Data"), +QT_TRANSLATE_NOOP("bitcoin-core", "Message Length"), +QT_TRANSLATE_NOOP("bitcoin-core", "Message Type"), +QT_TRANSLATE_NOOP("bitcoin-core", "Message"), +QT_TRANSLATE_NOOP("bitcoin-core", "Messate Type"), +QT_TRANSLATE_NOOP("bitcoin-core", "Miner: "), QT_TRANSLATE_NOOP("bitcoin-core", "Mining"), +QT_TRANSLATE_NOOP("bitcoin-core", "Name"), +QT_TRANSLATE_NOOP("bitcoin-core", "Net averages not yet loaded; "), +QT_TRANSLATE_NOOP("bitcoin-core", "Network Date"), +QT_TRANSLATE_NOOP("bitcoin-core", "Neural Contract Binary Size"), +QT_TRANSLATE_NOOP("bitcoin-core", "Neural Hash"), +QT_TRANSLATE_NOOP("bitcoin-core", "No Attached Messages"), +QT_TRANSLATE_NOOP("bitcoin-core", "No coins; "), +QT_TRANSLATE_NOOP("bitcoin-core", "Offline; "), QT_TRANSLATE_NOOP("bitcoin-core", "Only connect to nodes in network (IPv4, IPv6 or Tor)"), QT_TRANSLATE_NOOP("bitcoin-core", "Options:"), +QT_TRANSLATE_NOOP("bitcoin-core", "Organization"), +QT_TRANSLATE_NOOP("bitcoin-core", "Out of rance exception while parsing Transaction Message -> "), QT_TRANSLATE_NOOP("bitcoin-core", "Output extra debugging information. Implies all other -debug* options"), QT_TRANSLATE_NOOP("bitcoin-core", "Output extra network debugging information"), QT_TRANSLATE_NOOP("bitcoin-core", "Password for JSON-RPC connections"), QT_TRANSLATE_NOOP("bitcoin-core", "Please wait for new user wizard to start..."), QT_TRANSLATE_NOOP("bitcoin-core", "Prepend debug output with timestamp"), +QT_TRANSLATE_NOOP("bitcoin-core", "Public Key"), +QT_TRANSLATE_NOOP("bitcoin-core", "Question"), QT_TRANSLATE_NOOP("bitcoin-core", "Require a confirmations for change (default: 0)"), QT_TRANSLATE_NOOP("bitcoin-core", "Rescan the block chain for missing wallet transactions"), QT_TRANSLATE_NOOP("bitcoin-core", "Rescanning..."), +QT_TRANSLATE_NOOP("bitcoin-core", "Research Age"), QT_TRANSLATE_NOOP("bitcoin-core", "Run in the background as a daemon and accept commands"), QT_TRANSLATE_NOOP("bitcoin-core", "SSL options: (see the Bitcoin Wiki for SSL setup instructions)"), QT_TRANSLATE_NOOP("bitcoin-core", "Select the version of socks proxy to use (4-5, default: 5)"), @@ -188,6 +241,9 @@ QT_TRANSLATE_NOOP("bitcoin-core", "Set database disk log size in megabytes (defa QT_TRANSLATE_NOOP("bitcoin-core", "Set key pool size to (default: 100)"), QT_TRANSLATE_NOOP("bitcoin-core", "Set maximum block size in bytes (default: 250000)"), QT_TRANSLATE_NOOP("bitcoin-core", "Set minimum block size in bytes (default: 0)"), +QT_TRANSLATE_NOOP("bitcoin-core", "Set the number of threads to service RPC calls (default: 4)"), +QT_TRANSLATE_NOOP("bitcoin-core", "Share Type Debug"), +QT_TRANSLATE_NOOP("bitcoin-core", "Share Type"), QT_TRANSLATE_NOOP("bitcoin-core", "Shrink debug.log file on client startup (default: 1 when no -debug)"), QT_TRANSLATE_NOOP("bitcoin-core", "Specify configuration file (default: gridcoinresearch.conf)"), QT_TRANSLATE_NOOP("bitcoin-core", "Specify connection timeout in milliseconds (default: 5000)"), @@ -196,15 +252,19 @@ QT_TRANSLATE_NOOP("bitcoin-core", "Specify pid file (default: gridcoind.pid)"), QT_TRANSLATE_NOOP("bitcoin-core", "Specify wallet file (within data directory)"), QT_TRANSLATE_NOOP("bitcoin-core", "Specify your own public address"), QT_TRANSLATE_NOOP("bitcoin-core", "Staking Interest"), -QT_TRANSLATE_NOOP("bitcoin-core", "Sync checkpoints policy (default: strict)"), +QT_TRANSLATE_NOOP("bitcoin-core", "Text Message"), +QT_TRANSLATE_NOOP("bitcoin-core", "Text Rain Message"), QT_TRANSLATE_NOOP("bitcoin-core", "This help message"), QT_TRANSLATE_NOOP("bitcoin-core", "Threshold for disconnecting misbehaving peers (default: 100)"), +QT_TRANSLATE_NOOP("bitcoin-core", "Title"), QT_TRANSLATE_NOOP("bitcoin-core", "To use the %s option"), +QT_TRANSLATE_NOOP("bitcoin-core", "URL"), QT_TRANSLATE_NOOP("bitcoin-core", "Unable To Send Beacon! Unlock Wallet!"), QT_TRANSLATE_NOOP("bitcoin-core", "Unable to bind to %s on this computer (bind returned error %d, %s)"), -QT_TRANSLATE_NOOP("bitcoin-core", "Unable to sign checkpoint, wrong checkpointkey?\n"), +QT_TRANSLATE_NOOP("bitcoin-core", "Unable to extract Share Type. Vote likely > 6 months old"), QT_TRANSLATE_NOOP("bitcoin-core", "Unknown -socks proxy version requested: %i"), QT_TRANSLATE_NOOP("bitcoin-core", "Unknown network specified in -onlynet: '%s'"), +QT_TRANSLATE_NOOP("bitcoin-core", "Unknown"), QT_TRANSLATE_NOOP("bitcoin-core", "Upgrade wallet to latest format"), QT_TRANSLATE_NOOP("bitcoin-core", "Usage:"), QT_TRANSLATE_NOOP("bitcoin-core", "Use OpenSSL (https) for JSON-RPC connections"), @@ -214,15 +274,11 @@ QT_TRANSLATE_NOOP("bitcoin-core", "Use proxy to reach tor hidden services (defau QT_TRANSLATE_NOOP("bitcoin-core", "Use the test network"), QT_TRANSLATE_NOOP("bitcoin-core", "Username for JSON-RPC connections"), QT_TRANSLATE_NOOP("bitcoin-core", "Verifying database integrity..."), -QT_TRANSLATE_NOOP("bitcoin-core", "WARNING: synchronized checkpoint violation detected, but skipped!"), +QT_TRANSLATE_NOOP("bitcoin-core", "Vote"), QT_TRANSLATE_NOOP("bitcoin-core", "Wallet %s resides outside data directory %s."), +QT_TRANSLATE_NOOP("bitcoin-core", "Wallet locked; "), QT_TRANSLATE_NOOP("bitcoin-core", "Wallet needed to be rewritten: restart Gridcoin to complete"), QT_TRANSLATE_NOOP("bitcoin-core", "Warning: Disk space is low!"), -QT_TRANSLATE_NOOP("bitcoin-core", "Warning: This version is obsolete, upgrade required!"), -QT_TRANSLATE_NOOP("bitcoin-core", "WARNING: synchronized checkpoint violation detected, but skipped!"), -QT_TRANSLATE_NOOP("bitcoin-core", "Warning: Disk space is low!"), -QT_TRANSLATE_NOOP("bitcoin-core", "" -"WARNING: Invalid checkpoint found! Displayed transactions may not be " -"correct! You may need to upgrade, or notify developers."), +QT_TRANSLATE_NOOP("bitcoin-core", "Weight"), QT_TRANSLATE_NOOP("bitcoin-core", "wallet.dat corrupt, salvage failed"), -}; \ No newline at end of file +}; From 6c342d4cb320a2480ca48786404461555f1d8907 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Mon, 13 Aug 2018 21:08:24 -0700 Subject: [PATCH 41/50] Add new translations that were missing from non-gui _() --- src/qt/locale/bitcoin_af_ZA.ts | 630 ++++++++++++++++++------- src/qt/locale/bitcoin_ar.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_be_BY.ts | 646 ++++++++++++++++++-------- src/qt/locale/bitcoin_bg.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_bs.ts | 588 ++++++++++++++++++------ src/qt/locale/bitcoin_ca.ts | 650 ++++++++++++++++++-------- src/qt/locale/bitcoin_ca@valencia.ts | 646 ++++++++++++++++++-------- src/qt/locale/bitcoin_ca_ES.ts | 648 +++++++++++++++++++------- src/qt/locale/bitcoin_cs.ts | 659 +++++++++++++++++++-------- src/qt/locale/bitcoin_cy.ts | 638 +++++++++++++++++++------- src/qt/locale/bitcoin_da.ts | 648 +++++++++++++++++++------- src/qt/locale/bitcoin_de.ts | 650 +++++++++++++++++++------- src/qt/locale/bitcoin_el_GR.ts | 646 ++++++++++++++++++-------- src/qt/locale/bitcoin_en.ts | 618 ++++++++++++++++++------- src/qt/locale/bitcoin_eo.ts | 653 +++++++++++++++++++------- src/qt/locale/bitcoin_es.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_es_CL.ts | 645 +++++++++++++++++++------- src/qt/locale/bitcoin_es_DO.ts | 653 +++++++++++++++++++------- src/qt/locale/bitcoin_es_MX.ts | 632 ++++++++++++++++++------- src/qt/locale/bitcoin_es_UY.ts | 638 +++++++++++++++++++------- src/qt/locale/bitcoin_et.ts | 645 +++++++++++++++++++------- src/qt/locale/bitcoin_eu_ES.ts | 638 +++++++++++++++++++------- src/qt/locale/bitcoin_fa.ts | 636 +++++++++++++++++++------- src/qt/locale/bitcoin_fa_IR.ts | 642 ++++++++++++++++++-------- src/qt/locale/bitcoin_fi.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_fr.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_fr_CA.ts | 628 ++++++++++++++++++------- src/qt/locale/bitcoin_gl.ts | 657 ++++++++++++++++++-------- src/qt/locale/bitcoin_he.ts | 636 +++++++++++++++++++------- src/qt/locale/bitcoin_hi_IN.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_hr.ts | 638 +++++++++++++++++++------- src/qt/locale/bitcoin_hu.ts | 647 +++++++++++++++++++------- src/qt/locale/bitcoin_id_ID.ts | 656 ++++++++++++++++++-------- src/qt/locale/bitcoin_it.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_ja.ts | 642 ++++++++++++++++++-------- src/qt/locale/bitcoin_ka.ts | 648 ++++++++++++++++++-------- src/qt/locale/bitcoin_kk_KZ.ts | 636 +++++++++++++++++++------- src/qt/locale/bitcoin_ko_KR.ts | 642 ++++++++++++++++++-------- src/qt/locale/bitcoin_ky.ts | 636 +++++++++++++++++++------- src/qt/locale/bitcoin_la.ts | 651 +++++++++++++++++++------- src/qt/locale/bitcoin_lt.ts | 647 +++++++++++++++++++------- src/qt/locale/bitcoin_lv_LV.ts | 648 ++++++++++++++++++-------- src/qt/locale/bitcoin_ms_MY.ts | 636 +++++++++++++++++++------- src/qt/locale/bitcoin_nb.ts | 645 +++++++++++++++++++------- src/qt/locale/bitcoin_nl.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_pam.ts | 653 +++++++++++++++++++------- src/qt/locale/bitcoin_pl.ts | 651 +++++++++++++++++++------- src/qt/locale/bitcoin_pt_BR.ts | 651 +++++++++++++++++++------- src/qt/locale/bitcoin_pt_PT.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_ro_RO.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_ru.ts | 646 +++++++++++++++++++------- src/qt/locale/bitcoin_sk.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_sl_SI.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_sq.ts | 630 ++++++++++++++++++------- src/qt/locale/bitcoin_sr.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_sv.ts | 640 +++++++++++++++++++------- src/qt/locale/bitcoin_th_TH.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_tr.ts | 642 +++++++++++++++++++------- src/qt/locale/bitcoin_uk.ts | 636 +++++++++++++++++++------- src/qt/locale/bitcoin_ur_PK.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_vi.ts | 634 +++++++++++++++++++------- src/qt/locale/bitcoin_vi_VN.ts | 632 ++++++++++++++++++------- src/qt/locale/bitcoin_zh_CN.ts | 648 +++++++++++++++++++------- src/qt/locale/bitcoin_zh_TW.ts | 642 ++++++++++++++++++-------- 64 files changed, 30045 insertions(+), 10960 deletions(-) diff --git a/src/qt/locale/bitcoin_af_ZA.ts b/src/qt/locale/bitcoin_af_ZA.ts index f3177be165..67bc10310d 100644 --- a/src/qt/locale/bitcoin_af_ZA.ts +++ b/src/qt/locale/bitcoin_af_ZA.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - Dit is eksperimentele sagteware. Versprei onder die MIT / X11 sagteware lisensie, sien die meegaande lêer kopieer of http://www.opensource.org/licenses/mit-license.php. Hierdie produk bevat sagteware wat ontwikkel is deur die OpenSSL Projek vir gebruik in die OpenSSL Toolkit (http://www.openssl.org/) en kriptografiese sagteware geskryf deur Eric Young (eay@cryptsoft.com) en UPnP sagteware geskryf deur Thomas Bernard. + Dit is eksperimentele sagteware. Versprei onder die MIT / X11 sagteware lisensie, sien die meegaande lêer kopieer of http://www.opensource.org/licenses/mit-license.php. Hierdie produk bevat sagteware wat ontwikkel is deur die OpenSSL Projek vir gebruik in die OpenSSL Toolkit (http://www.openssl.org/) en kriptografiese sagteware geskryf deur Eric Young (eay@cryptsoft.com) en UPnP sagteware geskryf deur Thomas Bernard. @@ -299,7 +308,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Overview &Oorsig @@ -359,12 +368,12 @@ This product includes software developed by the OpenSSL Project for use in the O &Instellings - + &Help &Hulp - + &Send @@ -466,12 +475,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -589,7 +598,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -729,7 +738,7 @@ Adres: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -751,7 +760,7 @@ Adres: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. URI kan nie parsed word nie! Dit kan veroorsaak word deur 'n ongeldige Gridcoin adres of misvormde URI parameters. @@ -804,7 +813,7 @@ Adres: %4 - + %n second(s) @@ -856,7 +865,7 @@ Adres: %4 Nie stutting - + Gridcoin Gridcoin @@ -3371,58 +3380,42 @@ Dit beteken dat 'n fooi van ten minste %2 word benodig. bitcoin-core - + Options: Opsies: - + Loading addresses... Laai adresse... - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3431,11 +3424,6 @@ Dit beteken dat 'n fooi van ten minste %2 word benodig. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3447,12 +3435,12 @@ Dit beteken dat 'n fooi van ten minste %2 word benodig. - + Insufficient funds Onvoldoende fondse - + Loading Network Averages... @@ -3472,22 +3460,22 @@ Dit beteken dat 'n fooi van ten minste %2 word benodig. Laai beursie... - + Done loading Klaar gelaai - + Error Fout - + To use the %s option Die %s-opsie gebruik - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3502,7 +3490,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s 'N Fout het voorgekom terwyl opstellings die RPC poort %u vir luister op IPv6, val terug na IPv4: %s @@ -3512,7 +3500,33 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo 'N Fout het voorgekom terwyl die RPC poort %u vir luister op IPv4 stel: %s - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3521,27 +3535,297 @@ If the file does not exist, create it with owner-readable-only file permissions. As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adres + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version Gridcoin weergawe - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum number of outbound connections (default: 8) + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Boodskap + + + + Messate Type + + + + + Miner: + + + + Mining - + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + Please wait for new user wizard to start... - + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3551,27 +3835,57 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Gebruik: - + Send command to -server or gridcoind - + List commands Lys bevele - + Get help for a command Kry hulp vir 'n bevel @@ -3581,12 +3895,12 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Gridcoin - + This help message Hierdie help boodskap - + Specify pid file (default: gridcoind.pid) @@ -3601,7 +3915,7 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Spesifiseer Beursie lêer (binne data gids) - + Set database cache size in megabytes (default: 25) Stel databasis cachegrootte in megagrepe (verstek: 25) @@ -3611,47 +3925,47 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Stel databasis skyf teken grootte in megagrepe (verstek: 100) - + Specify connection timeout in milliseconds (default: 5000) Spesifiseer verbinding afsnytyd in millisekondes (verstek: 5000) - + Connect through socks proxy Koppel deur sokkies volmag - + Select the version of socks proxy to use (4-5, default: 5) Kies die weergawe van sokkies volmag om te gebruik (4-5, verstek: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Gebruik volmag te bereik sionele verborge dienste (verstek: dieselfde as - volmag) - + Allow DNS lookups for -addnode, -seednode and -connect Laat DNS lookups vir -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) Luister vir verbindings op <port> (verstek: 15714 of testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Onderhou op die meeste <n> konneksies na eweknieë (standaard: 125) - + Add a node to connect to and attempt to keep the connection open Voeg 'n nodus om aan te koppel en probeer die verbinding om oop te hou - + Connect only to the specified node(s) Koppel net om die gespesifiseerde nodes Koppel net om die gespesifiseerde node @@ -3662,62 +3976,60 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Koppel aan 'n nodus herwin eweknie adresse, en ontkoppel - + Specify your own public address Spesifiseer jou eie openbare adres - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Slegs verbind nodusse in netwerk <net>(IPv4, IPv6 of belegger) - + Discover own IP address (default: 1 when listening and no -externalip) Ontdek eie IP-adres (verstek: 1 wanneer luister en geen - externalip) - Find peers using internet relay chat (default: 0) - Vind eweknieë gebruik internet relay chat (verstek: 0) + Vind eweknieë gebruik internet relay chat (verstek: 0) - + Accept connections from outside (default: 1 if no -proxy or -connect) Verbindings van buite aanvaar (verstek: 1 as geen - volmag of - verbind) - + Bind to given address. Use [host]:port notation for IPv6 Bind om gegewe adres. Gebruik [host]: poort notasie vir IPv6 - + Find peers using DNS lookup (default: 1) Vind eweknieë met behulp van DNS opsoek (verstek: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Sinchro tyd met ander nodusse. Deaktiveer as tyd op jou stelsel is presiese bv. sinkroniseer met NTP (verstek: 1) - Sync checkpoints policy (default: strict) - Sinchro kontrolepunte beleid (verstek: streng) + Sinchro kontrolepunte beleid (verstek: streng) - + Threshold for disconnecting misbehaving peers (default: 100) Drempel vir ontkoppel peers eweknieë (verstek: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Aantal sekondes te hou hom wangedra eweknieë uit herkoppel (verstek: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maksimum per-verbinding ontvang buffer, <n>* 1000 grepe (verstek: 5000) @@ -3727,7 +4039,7 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Maksimum per-verbinding stuur buffer, <n>* 1000 grepe (verstek: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Gebruik UPnP te karteer die luistervaardigheid poort (verstek: 1 wanneer luister) @@ -3737,12 +4049,12 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Gebruik UPnP te karteer die luistervaardigheid poort (verstek: 0) - + Fee per KB to add to transactions you send Fooi per kg te voeg tot transaksies jy stuur - + When creating transactions, ignore inputs with value less than this (default: 0.01) Wanneer die skep van transaksies, ignoreer insette met waarde minder as dit (verstek: 0.01) @@ -3752,17 +4064,17 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Aanvaar bevelreël en JSON-RPC bevele - + Run in the background as a daemon and accept commands Loop in die agtergrond as 'n daemon en aanvaar bevele - + Use the test network Gebruik die toets netwerk - + Output extra debugging information. Implies all other -debug* options Uitset ekstra ontfouting-inligting. Impliseer alle ander - vir foutopspoor * opsies @@ -3777,12 +4089,12 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Prepend vir foutopspoor uitsette met timestamp - + Shrink debug.log file on client startup (default: 1 when no -debug) Debug.log lêer op kliënt begin krimp (verstek: 1 wanneer nie - ontfout) - + Send trace/debug info to console instead of debug.log file Spoor/vir foutopspoor info na konsole in plaas van debug.log lêer stuur @@ -3792,32 +4104,32 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Stuur spoor/vir foutopspoor info na ontfouter - + Username for JSON-RPC connections Gebruikersnaam vir JSON-RPC verbindings - + Password for JSON-RPC connections Wagwoord vir JSON-RPC verbindings - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Luister vir JSON-RPC verbindings op <port> (verstek: 15715 of testnet: 25715) - + Allow JSON-RPC connections from specified IP address Laat INTO-RPC verbindings van gespesifiseerde IP adres - + Send commands to node running on <ip> (default: 127.0.0.1) Bevele aan nodus wat op <ip>loop stuur (verstek: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) Uitvoer opdrag wanneer die beste blokkeer veranderinge (%s in cmd is vervang deur blok huts) @@ -3827,12 +4139,12 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Uitvoer opdrag wanneer 'n Beursie transaksie veranderinge (%s in cmd is vervang deur TxID) - + Require a confirmations for change (default: 0) Vereis 'n confirmations vir verandering (verstek: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Transaksie skripte gebruik kanonieke STOOT operateurs dwing (verstek: 1) @@ -3842,27 +4154,27 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Uitvoer opdrag wanneer 'n relevante ontvanklike ontvang word nie (%s in cmd is vervang deur boodskap) - + Upgrade wallet to latest format Gradeer Beursie te nuutste formaat - + Set key pool size to <n> (default: 100) Stel sleutel swembad grootte te <n>(verstek: 100) - + Rescan the block chain for missing wallet transactions Rescan die blok ketting vir vermiste Beursie transaksies - + Attempt to recover private keys from a corrupt wallet.dat Poging om private keys van 'n korrupte wallet.dat verhaal - + How many blocks to check at startup (default: 2500, 0 = all) Hoeveel blokke te kontroleer by selflaai (verstek: 2500, 0 = al) @@ -3877,12 +4189,12 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Voer blokke van eksterne blk000?. gerapporteer lêer - + Block creation options: Blok skepping opsies: - + Set minimum block size in bytes (default: 0) Stel minimum blok grootte in grepe (verstek: 0) @@ -3892,22 +4204,22 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Stel maksimum blok grootte in grepe (verstek: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Stel maksimum grootte van hoë-prioriteit/lae-fooi transaksies in grepe (verstek: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL opsies: (sien die Bitcoin Wiki vir SSL omstellingsinstruksies) - + Use OpenSSL (https) for JSON-RPC connections Gebruik OpenSSL (https) vir INTO-RPC verbindings - + Server certificate file (default: server.cert) Bediener sertifikaatlêer (verstek: server.cert) @@ -3921,42 +4233,42 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Aanvaarbare ciphers (verstek: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Ongeldige bedrag vir - paytxfee = <amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Waarskuwing: - paytxfee is baie hoog gestel! Dit is die transaksiefooi sal jy betaal as jy stuur 'n transaksie. - + Invalid amount for -mininput=<amount>: '%s' Ongeldige bedrag vir - mininput = <amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Beursie %s gesetel buite data gids %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Kan verkry 'n slot op data gids %s. Gridcoin is waarskynlik reeds te laat loop. - + Verifying database integrity... Verifieer tans databasis integriteit... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Fout met die inisialisering van databasis omgewing %s! Om te herwin, RUGSTEUN dat gids, dan verwyder alles uit dit behalwe vir wallet.dat. @@ -3966,12 +4278,27 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Waarskuwing: wallet.dat korrup, data herwin! Oorspronklike wallet.dat gestoor as Beursie. {timestamp} .bak in %s; As jou balans of transaksies is verkeerd jy moet 'n rugsteun teruggelaai. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed Wallet.dat korrup, red, het misluk - + Unknown -socks proxy version requested: %i Onbekende - socks gevolmagtigde weergawe versoek: %i @@ -3981,7 +4308,7 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Onbekende netwerk gespesifiseer in - onlynet: '%s' - + Invalid -proxy address: '%s' Ongeldige - proxy adres: '%s' @@ -3991,33 +4318,32 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Ongeldige - TOR adres: '%s' - + Cannot resolve -bind address: '%s' Adres kan oplos nie-penarie bevind: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. Het misluk om te luister op enige hawe. Gebruik - luister = 0 as jy dit wil hê. - + Cannot resolve -externalip address: '%s' -ExternalIP adres kan oplos nie: '%s' - + Invalid amount for -reservebalance=<amount> Ongeldige bedrag vir -reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - Kan nie aanteken kontrolepunt, verkeerde checkpointkey? + Kan nie aanteken kontrolepunt, verkeerde checkpointkey? - + Error loading blkindex.dat Fout laai blkindex.dat @@ -4027,27 +4353,27 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Kon nie wallet.dat: Beursie korrup - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Waarskuwing: fout lees wallet.dat! Alle sleutels lees korrek, maar transaksie data of adres boek inskrywings dalk ontbreek of is foutief. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Kon nie wallet.dat: Beursie vereis nuwer weergawe van Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Beursie moes word week oorgeskryf: herlaai Gridcoin voltooi - + Error loading wallet.dat Fout laai wallet.dat - + Cannot downgrade wallet Beursie kan downgrade @@ -4057,12 +4383,12 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Verstek adres kan skryf - + Rescanning... Rescanning... - + Importing blockchain data file. Blockchain data lêer invoer. @@ -4072,22 +4398,22 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Invoer bootstrap blockchain data lêer. - + Error: could not start node Fout: kon nie begin nie - + Unable to bind to %s on this computer. Gridcoin is probably already running. Kon nie bind aan %s op hierdie rekenaar nie. Gridcoin is waarskynlik reeds te laat loop. - + Unable to bind to %s on this computer (bind returned error %d, %s) Kon nie %s op hierdie rekenaar bind (penarie bevind teruggekeer fout %d, %s) - + Error: Wallet locked, unable to create transaction Fout: Beursie gesluit, nie skep transaksie @@ -4097,57 +4423,51 @@ As die lêer bestaan nie, dit skep met eienaar-leesbare-net lêer toestemmings.< Fout: Beursie ontsluit vir stutting enigste, nie skep transaksie. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Fout: Hierdie transaksie vereis 'n transaksiefooi van ten minste %s as gevolg van sy bedrag, kompleksiteit, of gebruik van onlangs ontvang fondse - + Error: Transaction creation failed Fout: Transaksie skepping het misluk - + Sending... Stuur... - + 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. - + Invalid amount Ongeldige bedrag - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Waarskuwing: Maak asseblief seker dat jou rekenaar se datum en tyd is korrek! As jou horlosie is verkeerd sal Gridcoin nie behoorlik werk nie. - Warning: This version is obsolete, upgrade required! - Waarskuwing: Hierdie weergawe is verouderde, opgradering nodig! + Waarskuwing: Hierdie weergawe is verouderde, opgradering nodig! - - WARNING: synchronized checkpoint violation detected, but skipped! - Waarskuwing: synchronized kontrolepunt skending opgespoor, maar oorgeslaan! + Waarskuwing: synchronized kontrolepunt skending opgespoor, maar oorgeslaan! - - + Warning: Disk space is low! Waarskuwing: Skyfspasie laag is! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - Waarskuwing: Ongeldige kontrolepunt gevind! Gewys word transaksies kan nie korrek wees! Jy moet dalk opgradeer, of stel ontwikkelaars. + Waarskuwing: Ongeldige kontrolepunt gevind! Gewys word transaksies kan nie korrek wees! Jy moet dalk opgradeer, of stel ontwikkelaars. diff --git a/src/qt/locale/bitcoin_ar.ts b/src/qt/locale/bitcoin_ar.ts index 62b92af4ab..14e7be78e8 100644 --- a/src/qt/locale/bitcoin_ar.ts +++ b/src/qt/locale/bitcoin_ar.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... التوقيع و الرسائل @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -718,7 +718,7 @@ Address: %4 - + %n second(s) @@ -776,7 +776,7 @@ Address: %4 - + &File &ملف @@ -796,7 +796,7 @@ Address: %4 - + &Help &مساعدة @@ -3361,47 +3361,358 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: خيارات: - + Specify data directory حدد مجلد المعلومات - + Failed to listen on any port. Use -listen=0 if you want this. فشل في الاستماع على أي منفذ. استخدام الاستماع = 0 إذا كنت تريد هذا. - + Loading addresses... تحميل العنوان - + Invalid -proxy address: '%s' عنوان البروكسي غير صحيح : '%s' - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + عنوان + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + Insufficient funds اموال غير كافية - + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + Loading block index... تحميل مؤشر الكتلة - + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + رسالة + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3416,12 +3727,12 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Loading wallet... تحميل المحفظه - + Cannot downgrade wallet لا يمكن تخفيض قيمة المحفظة @@ -3431,37 +3742,27 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo لايمكن كتابة العنوان الافتراضي - + Rescanning... إعادة مسح - + Done loading انتهاء التحميل - + Error خطأ - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3471,40 +3772,34 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3513,11 +3808,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3534,7 +3824,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3544,22 +3834,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3569,27 +3859,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: المستخدم - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3599,12 +3904,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3614,7 +3919,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3624,47 +3929,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3674,62 +3979,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3739,7 +4034,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3749,12 +4044,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3764,17 +4059,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3789,12 +4084,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3804,32 +4099,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3839,12 +4134,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3854,27 +4149,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3889,12 +4184,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3904,22 +4199,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3929,42 +4224,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3974,12 +4269,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3989,12 +4299,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -4004,18 +4314,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -4025,22 +4329,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -4055,22 +4359,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4080,57 +4384,39 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_be_BY.ts b/src/qt/locale/bitcoin_be_BY.ts index 70e087e088..35d15239be 100644 --- a/src/qt/locale/bitcoin_be_BY.ts +++ b/src/qt/locale/bitcoin_be_BY.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Падпісаць паведамленне... @@ -407,7 +407,7 @@ This product includes software developed by the OpenSSL Project for use in the O Наладкі - + &Help Дапамога @@ -441,7 +441,7 @@ This product includes software developed by the OpenSSL Project for use in the O Гаманец <b>зашыфраваны</b> і зараз <b>заблакаваны</b> - + Send coins to a Gridcoin address @@ -573,12 +573,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -613,7 +613,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -759,7 +759,7 @@ Address: %4 - + %n second(s) @@ -805,7 +805,7 @@ Address: %4 - + &Community @@ -815,7 +815,7 @@ Address: %4 - + URI handling @@ -3315,63 +3315,47 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Опцыі: - + Specify data directory Вызначыць каталог даных - + Accept command line and JSON-RPC commands Прымаць камандны радок і JSON-RPC каманды - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3380,11 +3364,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3396,7 +3375,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3406,22 +3385,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Run in the background as a daemon and accept commands Запусціць у фоне як дэман і прымаць каманды @@ -3431,7 +3410,7 @@ This label turns red, if the priority is smaller than "medium". Слаць trace/debug звесткі ў кансоль замест файла debug.log - + Specify configuration file (default: gridcoinresearch.conf) @@ -3441,37 +3420,37 @@ This label turns red, if the priority is smaller than "medium". - + Unable To Send Beacon! Unlock Wallet! - + Username for JSON-RPC connections Імя карыстальника для JSON-RPC злучэнняў - + Password for JSON-RPC connections Пароль для JSON-RPC злучэнняў - + Execute command when the best block changes (%s in cmd is replaced by block hash) Выканаць каманду калі лепшы блок зменіцца (%s замяняецца на хэш блока) - + Loading addresses... Загружаем адрасы... - + Insufficient funds Недастаткова сродкаў - + Loading block index... Загружаем індэкс блокаў... @@ -3481,37 +3460,37 @@ This label turns red, if the priority is smaller than "medium". Загружаем гаманец... - + Cannot downgrade wallet Немагчыма рэгрэсаваць гаманец - + Rescanning... Перасканаванне... - + Done loading Загрузка выканана - + Error Памылка - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3521,37 +3500,37 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3566,7 +3545,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3576,34 +3555,360 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Адрас + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Паведамленне + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Ужыванне: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3613,12 +3918,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3628,7 +3933,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3638,47 +3943,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3688,62 +3993,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3753,7 +4048,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3763,22 +4058,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3793,42 +4088,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3838,27 +4133,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3873,12 +4168,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3888,22 +4183,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3913,42 +4208,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3958,12 +4253,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3973,7 +4283,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3983,33 +4293,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -4019,32 +4323,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot write default address - + Importing blockchain data file. @@ -4054,37 +4358,19 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_bg.ts b/src/qt/locale/bitcoin_bg.ts index 93509060db..d627233137 100644 --- a/src/qt/locale/bitcoin_bg.ts +++ b/src/qt/locale/bitcoin_bg.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Подписване на &съобщение... @@ -407,7 +407,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Настройки - + &Help &Помощ @@ -441,7 +441,7 @@ This product includes software developed by the OpenSSL Project for use in the O Портфейлът е <b>криптиран</b> и <b>заключен</b> - + Send coins to a Gridcoin address @@ -573,12 +573,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -613,7 +613,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -758,7 +758,7 @@ Address: %4 - + %n second(s) @@ -800,7 +800,7 @@ Address: %4 - + &Community @@ -810,7 +810,7 @@ Address: %4 - + URI handling Справяне с URI @@ -3325,98 +3325,82 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Опции: - + Specify data directory Определете директория за данните - + Connect to a node to retrieve peer addresses, and disconnect Свържете се към сървър за да можете да извлечете адресите на пиърите след което се разкачете. - + Specify your own public address Въведете Ваш публичен адрес - + Failed to listen on any port. Use -listen=0 if you want this. Провалено "слушане" на всеки порт. Използвайте -listen=0 ако искате това. - + Send trace/debug info to console instead of debug.log file Изпрати локализиращата или дебъг информацията към конзолата, вместо файлът debug.log - + Username for JSON-RPC connections Потребителско име за JSON-RPC връзките - + Password for JSON-RPC connections Парола за JSON-RPC връзките - + Loading addresses... Зареждане на адреси... - + Invalid -proxy address: '%s' Невалиден -proxy address: '%s' - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3425,11 +3409,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3441,12 +3420,12 @@ This label turns red, if the priority is smaller than "medium". - + Insufficient funds Недостатъчно средства - + Loading Network Averages... @@ -3466,42 +3445,42 @@ This label turns red, if the priority is smaller than "medium". Зареждане на портфейла... - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Rescanning... Преразглеждане на последовтелността от блокове... - + Done loading Зареждането е завършено - + Error Грешка - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3516,7 +3495,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3533,27 +3512,37 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Използване: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3563,12 +3552,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3578,7 +3567,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3588,102 +3577,92 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3693,7 +3672,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3703,12 +3682,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3718,17 +3697,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3743,32 +3722,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3778,12 +3757,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3793,27 +3772,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3828,12 +3807,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3843,22 +3822,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3868,42 +3847,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3913,12 +3892,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3928,12 +3922,118 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -tor address: '%s' - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Адрес + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + Cannot resolve -bind address: '%s' @@ -3943,12 +4043,202 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + Invalid amount for -reservebalance=<amount> - + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Съобщение + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3958,18 +4248,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - - Unable To Send Beacon! Unlock Wallet! + + Text Message + + + + + Text Rain Message + + + + + Title - Unable to sign checkpoint, wrong checkpointkey? - + URL + + + + + Unable To Send Beacon! Unlock Wallet! - + Error loading blkindex.dat @@ -3979,27 +4283,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -4009,7 +4313,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Importing blockchain data file. @@ -4019,22 +4323,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4044,57 +4348,39 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_bs.ts b/src/qt/locale/bitcoin_bs.ts index bf7168d22e..71c8c50723 100644 --- a/src/qt/locale/bitcoin_bs.ts +++ b/src/qt/locale/bitcoin_bs.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... @@ -469,7 +469,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + &Help @@ -533,7 +533,7 @@ Address: %4 - + %n second(s) @@ -579,12 +579,12 @@ Address: %4 - + %1 second(s) ago - + &Send @@ -656,12 +656,12 @@ Address: %4 - + New User Wizard - + &Voting @@ -696,7 +696,7 @@ Address: %4 - + %1 minute(s) ago @@ -3291,32 +3291,32 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Gridcoin version - + Usage: - + List commands - + Get help for a command - + Options: - + Specify wallet file (within data directory) @@ -3326,7 +3326,7 @@ This label turns red, if the priority is smaller than "medium". - + Set database cache size in megabytes (default: 25) @@ -3336,32 +3336,32 @@ This label turns red, if the priority is smaller than "medium". - + Maintain at most <n> connections to peers (default: 125) - + Connect to a node to retrieve peer addresses, and disconnect - + Specify your own public address - + Bind to given address. Use [host]:port notation for IPv6 - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) @@ -3391,7 +3391,7 @@ This label turns red, if the priority is smaller than "medium". - + Error: Transaction creation failed @@ -3401,7 +3401,7 @@ This label turns red, if the priority is smaller than "medium". - + Importing blockchain data file. @@ -3411,27 +3411,58 @@ This label turns red, if the priority is smaller than "medium". - + Run in the background as a daemon and accept commands - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use the test network - + Accept connections from outside (default: 1 if no -proxy or -connect) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3441,7 +3472,12 @@ This label turns red, if the priority is smaller than "medium". - + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. @@ -3461,42 +3497,167 @@ This label turns red, if the priority is smaller than "medium". - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + Attempt to recover private keys from a corrupt wallet.dat - + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + Block creation options: - + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + Connect only to the specified node(s) - Discover own IP address (default: 1 when listening and no -externalip) + Contract length for beacon is less then 256 in length. Size: - - Failed to listen on any port. Use -listen=0 if you want this. + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Discover own IP address (default: 1 when listening and no -externalip) - Find peers using DNS lookup (default: 1) + Duration - - Sync checkpoints policy (default: strict) + + ERROR + + + + + Expires + + + + + Failed to listen on any port. Use -listen=0 if you want this. + + + + + Find peers using DNS lookup (default: 1) - + Invalid -tor address: '%s' @@ -3506,7 +3667,7 @@ This label turns red, if the priority is smaller than "medium". - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3516,12 +3677,12 @@ This label turns red, if the priority is smaller than "medium". - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3536,88 +3697,87 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Send command to -server or gridcoind - + Specify pid file (default: gridcoind.pid) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - - Bitcoin Core + + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - The %s developers + + All BOINC projects exhausted. - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Balance too low to create a smart contract. - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - + + Boinc Mining - - All BOINC projects exhausted. + + Compute Neural Network Hashes... - - Balance too low to create a smart contract. + + Error obtaining next project. Error 06172014. - - Boinc Mining + + Error obtaining next project. Error 16172014. - - Compute Neural Network Hashes... + + Error obtaining status. - Error obtaining next project. Error 06172014. + Finding first applicable Research Project... - - Error obtaining next project. Error 16172014. + + Height - - Error obtaining status (08-18-2014). + + Interest - - Error obtaining status. + + Invalid argument exception while parsing Transaction Message -> - - Finding first applicable Research Project... + + Is Superblock - + Loading Network Averages... @@ -3627,17 +3787,107 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + Low difficulty!; + + + + + Magnitude + + + + Maximum number of outbound connections (default: 8) + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + Mining + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + Output extra debugging information. Implies all other -debug* options @@ -3657,7 +3907,22 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + Public Key + + + + + Question + + + + + Research Age + + + + SSL options: (see the Bitcoin Wiki for SSL setup instructions) @@ -3686,6 +3951,21 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo Set minimum block size in bytes (default: 0) + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + Shrink debug.log file on client startup (default: 1 when no -debug) @@ -3707,18 +3987,37 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Unable To Send Beacon! Unlock Wallet! + + Text Message + + + + + Text Rain Message + + + + + Title - Unable to sign checkpoint, wrong checkpointkey? - + URL - + + Unable To Send Beacon! Unlock Wallet! + + + + + Weight + + + + Use UPnP to map the listening port (default: 0) @@ -3743,39 +4042,22 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - Warning: Disk space is low! - - Warning: This version is obsolete, upgrade required! - - - - + wallet.dat corrupt, salvage failed - + Password for JSON-RPC connections - - Find peers using internet relay chat (default: 0) - - - - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) @@ -3785,17 +4067,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3805,12 +4087,12 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3820,22 +4102,22 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3850,12 +4132,12 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3865,63 +4147,57 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Initialization sanity check failed. Gridcoin is shutting down. - + Error: Wallet unlocked for staking only, unable to create transaction. - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + This help message - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Gridcoin - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Connect through socks proxy - + Allow DNS lookups for -addnode, -seednode and -connect - + Loading addresses... - + Error loading blkindex.dat @@ -3936,22 +4212,32 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Invalid -proxy address: '%s' - + Unknown network specified in -onlynet: '%s' @@ -3961,7 +4247,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Cannot resolve -bind address: '%s' @@ -3971,62 +4257,62 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Invalid amount for -paytxfee=<amount>: '%s' - + Error: could not start node - + Sending... - + Invalid amount - + Insufficient funds - + Loading block index... - + Add a node to connect to and attempt to keep the connection open - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Fee per KB to add to transactions you send - + Invalid amount for -mininput=<amount>: '%s' - + Loading wallet... - + Cannot downgrade wallet @@ -4036,27 +4322,27 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Rescanning... - + Done loading - + To use the %s option - + Error - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. diff --git a/src/qt/locale/bitcoin_ca.ts b/src/qt/locale/bitcoin_ca.ts index da174fe36e..571890d9aa 100644 --- a/src/qt/locale/bitcoin_ca.ts +++ b/src/qt/locale/bitcoin_ca.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Signa el &missatge... @@ -407,7 +407,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Configuració - + &Help &Ajuda @@ -449,7 +449,7 @@ This product includes software developed by the OpenSSL Project for use in the O El moneder està <b>encriptat</b> i actualment <b>bloquejat</b> - + Send coins to a Gridcoin address @@ -560,7 +560,7 @@ This product includes software developed by the OpenSSL Project for use in the O Exporta les dades de la pestanya actual a un fitxer - + Date: %1 Amount: %2 Type: %3 @@ -568,7 +568,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -578,7 +578,7 @@ Address: %4 - + Gridcoin @@ -609,12 +609,12 @@ Address: %4 - + New User Wizard - + &Voting @@ -639,7 +639,7 @@ Address: %4 - + [testnet] [testnet] @@ -780,7 +780,7 @@ Address: %4 - + %n second(s) @@ -812,7 +812,7 @@ Address: %4 - + &Community @@ -3329,52 +3329,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opcions: - + Specify data directory Especifica el directori de dades - + Connect to a node to retrieve peer addresses, and disconnect Connecta al node per obtenir les adreces de les connexions, i desconnecta - + Specify your own public address Especifiqueu la vostra adreça pública - + Accept command line and JSON-RPC commands Accepta la línia d'ordres i ordres JSON-RPC - + Run in the background as a daemon and accept commands Executa en segon pla com a programa dimoni i accepta ordres - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Executa una ordre quan una transacció del moneder canviï (%s en cmd es canvia per TxID) - + Block creation options: Opcions de la creació de blocs: - + Failed to listen on any port. Use -listen=0 if you want this. Ha fallat escoltar a qualsevol port. Feu servir -listen=0 si voleu fer això. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3384,72 +3384,72 @@ This label turns red, if the priority is smaller than "medium". Especifica un fitxer de moneder (dins del directori de dades) - + Send trace/debug info to console instead of debug.log file Envia informació de traça/depuració a la consola en comptes del fitxer debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Redueix el fitxer debug.log durant l'inici del client (per defecte: 1 quan no -debug) - + Username for JSON-RPC connections Nom d'usuari per a connexions JSON-RPC - + Password for JSON-RPC connections Contrasenya per a connexions JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Executa l'ordre quan el millor bloc canviï (%s en cmd es reemplaça per un resum de bloc) - + Allow DNS lookups for -addnode, -seednode and -connect Permet consultes DNS per a -addnode, -seednode i -connect - + Loading addresses... S'estan carregant les adreces... - + Invalid -proxy address: '%s' Adreça -proxy invalida: '%s' - + Unknown network specified in -onlynet: '%s' Xarxa desconeguda especificada a -onlynet: '%s' - + Insufficient funds Balanç insuficient - + Loading block index... S'està carregant l'índex de blocs... - + Add a node to connect to and attempt to keep the connection open Afegeix un node per a connectar-s'hi i intenta mantenir-hi la connexió oberta - + Loading wallet... S'està carregant el moneder... - + Cannot downgrade wallet No es pot reduir la versió del moneder @@ -3459,32 +3459,32 @@ This label turns red, if the priority is smaller than "medium". No es pot escriure l'adreça per defecte - + Rescanning... S'està reescanejant... - + Done loading Ha acabat la càrrega - + Error Error - + This help message - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) @@ -3494,92 +3494,268 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address + Adreça + + + + Alert: - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Answer + + + + + Answers + + + + + Average Magnitude - + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3589,17 +3765,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Missatge + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3609,22 +3925,22 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3639,32 +3955,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3674,68 +3990,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3744,11 +4044,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3760,7 +4055,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3775,7 +4070,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3785,22 +4080,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3810,22 +4105,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3835,42 +4130,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3880,22 +4175,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3905,18 +4215,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3926,22 +4230,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3956,22 +4260,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3981,65 +4285,47 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4054,7 +4340,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4071,27 +4357,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: Ús: - + Send command to -server or gridcoind - + List commands - + Get help for a command diff --git a/src/qt/locale/bitcoin_ca@valencia.ts b/src/qt/locale/bitcoin_ca@valencia.ts index 8e81a11d8b..4f696c3919 100644 --- a/src/qt/locale/bitcoin_ca@valencia.ts +++ b/src/qt/locale/bitcoin_ca@valencia.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Signa el &missatge... @@ -407,7 +407,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Configuració - + &Help &Ajuda @@ -441,7 +441,7 @@ This product includes software developed by the OpenSSL Project for use in the O El moneder està <b>encriptat</b> i actualment <b>bloquejat</b> - + Send coins to a Gridcoin address @@ -573,12 +573,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -613,7 +613,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -758,7 +758,7 @@ Address: %4 - + %n second(s) @@ -800,7 +800,7 @@ Address: %4 - + &Community @@ -810,7 +810,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -3329,52 +3329,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opcions: - + Specify data directory Especifica el directori de dades - + Connect to a node to retrieve peer addresses, and disconnect Connecta al node per obtindre les adreces de les connexions, i desconnecta - + Specify your own public address Especifiqueu la vostra adreça pública - + Accept command line and JSON-RPC commands Accepta la línia d'ordes i ordes JSON-RPC - + Run in the background as a daemon and accept commands Executa en segon pla com a programa dimoni i accepta ordes - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Executa una orde quan una transacció del moneder canvie (%s en cmd es canvia per TxID) - + Block creation options: Opcions de la creació de blocs: - + Failed to listen on any port. Use -listen=0 if you want this. Ha fallat escoltar a qualsevol port. Feu servir -listen=0 si voleu fer això. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3384,72 +3384,72 @@ This label turns red, if the priority is smaller than "medium". Especifica un fitxer de moneder (dins del directori de dades) - + Send trace/debug info to console instead of debug.log file Envia informació de traça/depuració a la consola en comptes del fitxer debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Redueix el fitxer debug.log durant l'inici del client (per defecte: 1 quan no -debug) - + Username for JSON-RPC connections Nom d'usuari per a connexions JSON-RPC - + Password for JSON-RPC connections Contrasenya per a connexions JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Executa l'orde quan el millor bloc canvie (%s en cmd es reemplaça per un resum de bloc) - + Allow DNS lookups for -addnode, -seednode and -connect Permet consultes DNS per a -addnode, -seednode i -connect - + Loading addresses... S'estan carregant les adreces... - + Invalid -proxy address: '%s' Adreça -proxy invalida: '%s' - + Unknown network specified in -onlynet: '%s' Xarxa desconeguda especificada a -onlynet: '%s' - + Insufficient funds Balanç insuficient - + Loading block index... S'està carregant l'índex de blocs... - + Add a node to connect to and attempt to keep the connection open Afig un node per a connectar-s'hi i intenta mantindre-hi la connexió oberta - + Loading wallet... S'està carregant el moneder... - + Cannot downgrade wallet No es pot reduir la versió del moneder @@ -3459,32 +3459,32 @@ This label turns red, if the priority is smaller than "medium". No es pot escriure l'adreça per defecte - + Rescanning... S'està reescanejant... - + Done loading Ha acabat la càrrega - + Error Error - + This help message - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) @@ -3494,92 +3494,268 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address + Adreça + + + + Alert: - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Answer - + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3589,17 +3765,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Missatge + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3609,22 +3925,22 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3639,32 +3955,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3674,68 +3990,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3744,11 +4044,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3760,7 +4055,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3775,7 +4070,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3785,22 +4080,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3810,22 +4105,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3835,42 +4130,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3880,22 +4175,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3905,18 +4215,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3926,22 +4230,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3956,22 +4260,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3981,65 +4285,47 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4054,7 +4340,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4071,27 +4357,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: Ús: - + Send command to -server or gridcoind - + List commands - + Get help for a command diff --git a/src/qt/locale/bitcoin_ca_ES.ts b/src/qt/locale/bitcoin_ca_ES.ts index db95029195..4a2a09f7af 100644 --- a/src/qt/locale/bitcoin_ca_ES.ts +++ b/src/qt/locale/bitcoin_ca_ES.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - \n Aquest és software experimental.\n\n Distribuït sota llicència de software MIT/11, veure l'arxiu COPYING o http://www.opensource.org/licenses/mit-license.php.\n\nAquest producte inclou software desarrollat pel projecte OpenSSL per a l'ús de OppenSSL Toolkit (http://www.openssl.org/) i de software criptogràfic escrit per l'Eric Young (eay@cryptsoft.com) i software UPnP escrit per en Thomas Bernard. + \n Aquest és software experimental.\n\n Distribuït sota llicència de software MIT/11, veure l'arxiu COPYING o http://www.opensource.org/licenses/mit-license.php.\n\nAquest producte inclou software desarrollat pel projecte OpenSSL per a l'ús de OppenSSL Toolkit (http://www.openssl.org/) i de software criptogràfic escrit per l'Eric Young (eay@cryptsoft.com) i software UPnP escrit per en Thomas Bernard. @@ -299,7 +308,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Signa el &missatge... @@ -407,7 +416,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Configuració - + &Help &Ajuda @@ -449,7 +458,7 @@ This product includes software developed by the OpenSSL Project for use in the O El moneder està <b>encriptat</b> i actualment <b>bloquejat</b> - + Send coins to a Gridcoin address Enviar monedes a una adreça Gridcoin @@ -560,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O Exportar les dades de la pestanya actual a un arxiu - + Date: %1 Amount: %2 Type: %3 @@ -571,7 +580,7 @@ Address: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -581,7 +590,7 @@ Address: %4 - + Gridcoin Gridcoin @@ -612,12 +621,12 @@ Address: %4 - + New User Wizard - + &Voting @@ -642,7 +651,7 @@ Address: %4 Modificar les opcions de configuració per a Gridcoin - + [testnet] [testnet] @@ -791,7 +800,7 @@ Address: %4 - + %n second(s) @@ -843,7 +852,7 @@ Address: %4 No s'està fent "stake" - + &Community @@ -3374,52 +3383,52 @@ En aquest cas es requereix una comisió d'almenys 2%. bitcoin-core - + Options: Opcions: - + Specify data directory Especifica el directori de dades - + Connect to a node to retrieve peer addresses, and disconnect Connecta al node per obtenir les adreces de les connexions, i desconnecta - + Specify your own public address Especifiqueu la vostra adreça pública - + Accept command line and JSON-RPC commands Accepta la línia d'ordres i ordres JSON-RPC - + Run in the background as a daemon and accept commands Executa en segon pla com a programa dimoni i accepta ordres - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Executa una ordre quan una transacció del moneder canviï (%s en cmd es canvia per TxID) - + Block creation options: Opcions de la creació de blocs: - + Failed to listen on any port. Use -listen=0 if you want this. Ha fallat escoltar a qualsevol port. Feu servir -listen=0 si voleu fer això. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3429,72 +3438,72 @@ En aquest cas es requereix una comisió d'almenys 2%. Especifica un fitxer de moneder (dins del directori de dades) - + Send trace/debug info to console instead of debug.log file Envia informació de traça/depuració a la consola en comptes del fitxer debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Redueix el fitxer debug.log durant l'inici del client (per defecte: 1 quan no -debug) - + Username for JSON-RPC connections Nom d'usuari per a connexions JSON-RPC - + Password for JSON-RPC connections Contrasenya per a connexions JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Executa l'ordre quan el millor bloc canviï (%s en cmd es reemplaça per un resum de bloc) - + Allow DNS lookups for -addnode, -seednode and -connect Permet consultes DNS per a -addnode, -seednode i -connect - + Loading addresses... S'estan carregant les adreces... - + Invalid -proxy address: '%s' Adreça -proxy invalida: '%s' - + Unknown network specified in -onlynet: '%s' Xarxa desconeguda especificada a -onlynet: '%s' - + Insufficient funds Balanç insuficient - + Loading block index... S'està carregant l'índex de blocs... - + Add a node to connect to and attempt to keep the connection open Afegeix un node per a connectar-s'hi i intenta mantenir-hi la connexió oberta - + Loading wallet... S'està carregant el moneder... - + Cannot downgrade wallet No es pot reduir la versió del moneder @@ -3504,32 +3513,32 @@ En aquest cas es requereix una comisió d'almenys 2%. No es pot escriure l'adreça per defecte - + Rescanning... S'està reescanejant... - + Done loading Ha acabat la càrrega - + Error Error - + This help message Aquest misatge d'ajuda - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Establir tamany de la memoria cau en megabytes (per defecte: 25) @@ -3539,92 +3548,276 @@ En aquest cas es requereix una comisió d'almenys 2%. Configurar la mida del registre en disc de la base de dades en megabytes (per defecte: 100) - + Specify connection timeout in milliseconds (default: 5000) Especificar el temps limit per a un intent de connexió en milisegons (per defecte: 5000) - + Connect through socks proxy Conectar a través d'un proxy SOCKS - + Select the version of socks proxy to use (4-5, default: 5) Seleccioneu la versió de proxy socks per utilitzar (4-5, per defecte: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Utilitza proxy per arribar als serveis ocults de Tor (per defecte: la mateixa que -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Escoltar connexions en <port> (per defecte: 15714 o testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Mantenir com a molt <n> connexions a peers (per defecte: 125) - + Connect only to the specified node(s) Connectar només al(s) node(s) especificats - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Només connectar als nodes de la xarxa <net> (IPv4, IPv6 o Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Descobrir la pròpia adreça IP (per defecte: 1 quan escoltant i no -externalip) - Find peers using internet relay chat (default: 0) - Trobar companys utilitzant l'IRC (per defecte: 1) {0)?} + Trobar companys utilitzant l'IRC (per defecte: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Aceptar connexions d'afora (per defecte: 1 si no -proxy o -connect) - + Bind to given address. Use [host]:port notation for IPv6 Enllaçar a l'adreça donada. Utilitzeu la notació [host]:port per a IPv6 - + Find peers using DNS lookup (default: 1) Trobar companys utilitzant la recerca de DNS (per defecte: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Sincronitzar el temps amb altres nodes. Desactivar si el temps al seu sistema és precís, per exemple, si fa ús de sincronització amb NTP (per defecte: 1) - Sync checkpoints policy (default: strict) - Política dels punts de control de sincronització (per defecte: estricta) + Política dels punts de control de sincronització (per defecte: estricta) - + Threshold for disconnecting misbehaving peers (default: 100) Límit per a desconectar connexions errònies (per defecte: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Nombre de segons abans de reconectar amb connexions errònies (per defecte: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Mida màxima del buffer de recepció per a cada connexió, <n>*1000 bytes (default: 5000) @@ -3634,17 +3827,157 @@ En aquest cas es requereix una comisió d'almenys 2%. Mida màxima del buffer d'enviament per a cada connexió, <n>*1000 bytes (default: 5000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Missatge + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 1 quan s'escolta) @@ -3654,22 +3987,22 @@ En aquest cas es requereix una comisió d'almenys 2%. Utilitza UPnP per a mapejar els ports d'escolta (per defecte: 0) - + Fee per KB to add to transactions you send Comisió per KB per a afegir a les transaccions que enviï - + When creating transactions, ignore inputs with value less than this (default: 0.01) En crear transaccions, ignorar les entrades amb valor inferior a aquesta (per defecte: 0.01) - + Use the test network Usar la xarxa de prova - + Output extra debugging information. Implies all other -debug* options Sortida d'informació de depuració extra. Implica totes les opcions de depuracó -debug* @@ -3684,32 +4017,32 @@ En aquest cas es requereix una comisió d'almenys 2%. Anteposar marca de temps a la sortida de depuració - + Send trace/debug info to debugger Enviar informació de traça/depuració al depurador - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Escoltar connexions JSON-RPC al port <port> (per defecte: 15715 o testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permetre connexions JSON-RPC d'adreces IP específiques - + Send commands to node running on <ip> (default: 127.0.0.1) Enviar ordre al node en execució a <ip> (per defecte: 127.0.0.1) - + Require a confirmations for change (default: 0) Requerir les confirmacions de canvi (per defecte: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Fer complir als scripts de transaccions d'utilitzar operadors PUSH canòniques (per defecte: 1) @@ -3720,68 +4053,52 @@ En aquest cas es requereix una comisió d'almenys 2%. Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per missatge) - + Upgrade wallet to latest format Actualitzar moneder a l'últim format - + Set key pool size to <n> (default: 100) Establir límit de nombre de claus a <n> (per defecte: 100) - + Rescan the block chain for missing wallet transactions Re-escanejar cadena de blocs en cerca de transaccions de moneder perdudes - + Attempt to recover private keys from a corrupt wallet.dat Intentar recuperar les claus privades d'un arxiu wallet.dat corrupte - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3790,11 +4107,6 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3806,7 +4118,7 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per - + How many blocks to check at startup (default: 2500, 0 = all) Quants blocs s'han de confirmar a l'inici (per defecte: 2500, 0 = tots) @@ -3821,7 +4133,7 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Importar blocs desde l'arxiu extern blk000?.dat - + Loading Network Averages... @@ -3831,22 +4143,22 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Establir una mida mínima de bloc en bytes (per defecte: 0) @@ -3856,22 +4168,22 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Establir una mida máxima de bloc en bytes (per defecte: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Establir la grandària màxima de les transaccions alta-prioritat/baixa-comisió en bytes (per defecte: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opcions SSL: (veure la Wiki de Bitcoin per a instruccions de configuració SSL) - + Use OpenSSL (https) for JSON-RPC connections Utilitzar OpenSSL (https) per a connexions JSON-RPC - + Server certificate file (default: server.cert) Arxiu del certificat de servidor (per defecte: server.cert) @@ -3885,42 +4197,42 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Xifres acceptables (per defecte: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Quantitat invalida per a -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Advertència: el -paytxfee és molt elevat! Aquesta és la comissió de transacció que pagaràs quan enviis una transacció. - + Invalid amount for -mininput=<amount>: '%s' Quantitat invalida per a -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. El moneder %s resideix fora del directori de dades %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. No es pot obtenir un bloqueig en el directori de dades %s. Gridcoin probablement ja estigui en funcionament. - + Verifying database integrity... Comprovant la integritat de la base de dades ... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Error en inicialitzar l'entorn de base de dades %s! Per recuperar, FACI UNA COPIA DE SEGURETAT D'AQUEST DIRECTORI, a continuació, retiri tot d'ella excepte l'arxiu wallet.dat. @@ -3930,22 +4242,37 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Advertència: L'arxiu wallet.dat és corrupte, dades rescatades! L'arxiu wallet.dat original ha estat desat com wallet.{estampa_temporal}.bak al directori %s; si el teu balanç o transaccions son incorrectes hauries de restaurar-lo de un backup. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed L'arxiu wallet.data és corrupte, el rescat de les dades ha fallat - + Unknown -socks proxy version requested: %i S'ha demanat una versió desconeguda de -socks proxy: %i - + Invalid -tor address: '%s' Adreça -tor invalida: '%s' - + Cannot resolve -bind address: '%s' No es pot resoldre l'adreça -bind: '%s' @@ -3955,19 +4282,18 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per No es pot resoldre l'adreça -externalip: '%s' - + Invalid amount for -reservebalance=<amount> Quantitat invalida per a -reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - No es pot signar el punt de control, la clau del punt de control esta malament? + No es pot signar el punt de control, la clau del punt de control esta malament? - + Error loading blkindex.dat Error carregant blkindex.dat @@ -3977,22 +4303,22 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Error carregant wallet.dat: Moneder corrupte - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Advertència: Error llegint l'arxiu wallet.dat!! Totes les claus es llegeixen correctament, però hi ha dades de transaccions o entrades del llibre d'adreces absents o bé son incorrectes. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Error en carregar wallet.dat: El moneder requereix la versió més recent de Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete El moneder necessita ser reescrita: reiniciar Gridcoin per completar - + Error loading wallet.dat Error carregant wallet.dat @@ -4007,22 +4333,22 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Important fitxer de dades d'arrencada de la cadena de blocs - + Error: could not start node Error: no s'ha pogut iniciar el node - + Unable to bind to %s on this computer. Gridcoin is probably already running. No es pot enllaçar a %s en aquest equip. Gridcoin probablement ja estigui en funcionament. - + Unable to bind to %s on this computer (bind returned error %d, %s) Impossible d'unir %s a aquest ordinador (s'ha retornat l'error %d, %s) - + Error: Wallet locked, unable to create transaction Error: Moneder bloquejat, no es pot de crear la transacció @@ -4032,65 +4358,59 @@ Executar una ordre quan es rep un avís rellevant (%s en cmd es substitueix per Error: Cartera bloquejada nomès per a fer "stake", no es pot de crear la transacció - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Error: Aquesta transacció requereix una comisió d'almenys %s degut a la seva quantitat, complexitat, o l'ús dels fons rebuts recentment - + Error: Transaction creation failed Error: La creació de transacció ha fallat. - + Sending... Enviant... - + 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: La transacció ha sigut rebutjada. Això pot passar si algunes de les monedes al moneder ja s'han gastat, per exemple, si vostè utilitza una còpia del wallet.dat i les monedes han estat gastades a la cópia pero no s'han marcat com a gastades aqui. - + Invalid amount Quanitat invalida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Avís: Comproveu que la data i hora de l'equip siguin correctes! Si el seu rellotge és erroni Gridcoin no funcionarà correctament. - Warning: This version is obsolete, upgrade required! - Advertència: Aquetsa versió està obsoleta, és necessari actualitzar! + Advertència: Aquetsa versió està obsoleta, és necessari actualitzar! - - WARNING: synchronized checkpoint violation detected, but skipped! - ADVERTÈNCIA: violació de punt de control sincronitzat detectada, es saltarà! + ADVERTÈNCIA: violació de punt de control sincronitzat detectada, es saltarà! - - + Warning: Disk space is low! Avís: L'espai en disc és baix! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - ADVERTÈNCIA: Punt de control invàlid! Les transaccions mostrades podríen no ser correctes! Podria ser necessari actualitzar o notificar-ho als desenvolupadors. + ADVERTÈNCIA: Punt de control invàlid! Les transaccions mostrades podríen no ser correctes! Podria ser necessari actualitzar o notificar-ho als desenvolupadors. - + To use the %s option Utilitza la opció %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4105,7 +4425,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Ha sorgit un error al configurar el port RPC %u escoltant a IPv6, retrocedint a IPv4: %s @@ -4122,27 +4442,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Has de configurar el rpcpassword=<password> a l'arxiu de configuració:\n %s\n Si l'arxiu no existeix, crea'l amb els permís owner-readable-only. - + Gridcoin version versió Gridcoin - + Usage: Ús: - + Send command to -server or gridcoind - + List commands Llista d'ordres - + Get help for a command Obtenir ajuda per a un ordre. diff --git a/src/qt/locale/bitcoin_cs.ts b/src/qt/locale/bitcoin_cs.ts index 1fa3b3a706..cca5d9ac6e 100644 --- a/src/qt/locale/bitcoin_cs.ts +++ b/src/qt/locale/bitcoin_cs.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Tohle je experimentální program. Ší?en pod licencí MIT/X11, viz p?iložený soubor COPYING nebo http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open BitcoinGUI - + Sign &message... Po&depiš zprávu... @@ -412,7 +421,7 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open &Nastavení - + &Help Nápověd&a @@ -455,7 +464,7 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open Peněženka je <b>zašifrovaná</b> a momentálně <b>zamčená</b> - + Send coins to a Gridcoin address @@ -566,7 +575,7 @@ Tento produkt zahrnuje programy vyvinuté OpenSSL Projektem pro použití v Open Exportuj data z tohoto panelu do souboru - + Date: %1 Amount: %2 Type: %3 @@ -581,7 +590,7 @@ Adresa: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -591,7 +600,7 @@ Adresa: %4 - + Gridcoin @@ -622,12 +631,12 @@ Adresa: %4 - + New User Wizard - + &Voting @@ -652,7 +661,7 @@ Adresa: %4 - + [testnet] [testnet] @@ -805,7 +814,7 @@ Adresa: %4 - + %n second(s) %n vteřinu @@ -841,7 +850,7 @@ Adresa: %4 - + &Community @@ -3362,52 +3371,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Možnosti: - + Specify data directory Adresář pro data - + Connect to a node to retrieve peer addresses, and disconnect Připojit se k uzlu, získat adresy jeho protějšků a odpojit se - + Specify your own public address Udej svou veřejnou adresu - + Accept command line and JSON-RPC commands Akceptovat příkazy z příkazové řádky a přes JSON-RPC - + Run in the background as a daemon and accept commands Běžet na pozadí jako démon a přijímat příkazy - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Spustit příkaz, když se objeví transakce týkající se peněženky (%s se v příkazu nahradí za TxID) - + Block creation options: Možnosti vytváření bloku: - + Failed to listen on any port. Use -listen=0 if you want this. Nepodařilo se naslouchat na žádném portu. Použij -listen=0, pokud to byl tvůj záměr. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3417,72 +3426,72 @@ This label turns red, if the priority is smaller than "medium". Udej název souboru s peněženkou (v rámci datového adresáře) - + Send trace/debug info to console instead of debug.log file Posílat stopovací/ladicí informace do konzole místo do souboru debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Při spuštění klienta zmenšit soubor debug.log (výchozí: 1, pokud není zadáno -debug) - + Username for JSON-RPC connections Uživatelské jméno pro JSON-RPC spojení - + Password for JSON-RPC connections Heslo pro JSON-RPC spojení - + Execute command when the best block changes (%s in cmd is replaced by block hash) Spustit příkaz, když se změní nejlepší blok (%s se v příkazu nahradí hashem bloku) - + Allow DNS lookups for -addnode, -seednode and -connect Povolit DNS dotazy pro -addnode (přidání uzlu), -seednode a -connect (připojení) - + Loading addresses... Načítám adresy... - + Invalid -proxy address: '%s' Neplatná -proxy adresa: '%s' - + Unknown network specified in -onlynet: '%s' V -onlynet byla uvedena neznámá síť: '%s' - + Insufficient funds Nedostatek prostředků - + Loading block index... Načítám index bloků... - + Add a node to connect to and attempt to keep the connection open Přidat uzel, ke kterému se připojit a snažit se spojení udržet - + Loading wallet... Načítám peněženku... - + Cannot downgrade wallet Nemohu převést peněženku do staršího formátu @@ -3492,32 +3501,32 @@ This label turns red, if the priority is smaller than "medium". Nemohu napsat výchozí adresu - + Rescanning... Přeskenovávám… - + Done loading Načítání dokončeno - + Error Chyba - + This help message Tato nápov?da - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Nastavit velikost databázové vyrovnávací pam?ti v megabajtech (výchozí: 25) @@ -3527,92 +3536,268 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) Zadej ?asový limit spojení v milisekundách (výchozí: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Naslouchej připojením na <port> (výchozí: 15714 nebo testovací síť: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Povolit nejvýše <n> p?ipojení k uzl?m (výchozí: 125) - + Connect only to the specified node(s) P?ipojit se pouze k zadanému uzlu (p?íp. zadaným uzl?m) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) P?ipojit se pouze k uzl?m v <net> síti (IPv4, IPv6 nebo Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Zjistit vlastní IP adresu (výchozí: 1, pokud naslouchá a není zadáno -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) P?ijímat spojení zven?í (výchozí: 1, pokud není zadáno -proxy nebo -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Práh pro odpojování zlobivých uzl? (výchozí: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Doba ve vte?inách, po kterou se nebudou moci zlobivé uzly znovu p?ipojit (výchozí: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresa + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maximální velikost p?ijímacího bufferu pro každé spojení, <n>*1000 bajt? (výchozí: 5000) @@ -3622,17 +3807,157 @@ This label turns red, if the priority is smaller than "medium". Maximální velikost odesílacího bufferu pro každé spojení, <n>*1000 bajt? (výchozí: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Zpráva + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Použít UPnP k namapování naslouchacího portu (výchozí: 1, pokud naslouchá) @@ -3642,22 +3967,22 @@ This label turns red, if the priority is smaller than "medium". Použít UPnP k namapování naslouchacího portu (výchozí: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Použít testovací sí? (testnet) - + Output extra debugging information. Implies all other -debug* options @@ -3672,32 +3997,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Povolit JSON-RPC spojení ze specifikované IP adresy - + Send commands to node running on <ip> (default: 127.0.0.1) Posílat p?íkazy uzlu b?žícím na <ip> (výchozí: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3707,68 +4032,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format P?evést pen?ženku na nejnov?jší formát - + Set key pool size to <n> (default: 100) Nastavit zásobník klí?? na velikost <n> (výchozí: 100) - + Rescan the block chain for missing wallet transactions P?eskenovat ?et?zec blok? na chyb?jící transakce tvé p?n?ženky - + Attempt to recover private keys from a corrupt wallet.dat Pokusit se zachránit soukromé klí?e z poškozeného souboru wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3777,11 +4086,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3793,7 +4097,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3808,7 +4112,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3818,22 +4122,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Nastavit minimální velikost bloku v bajtech (výchozí: 0) @@ -3843,22 +4147,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Možnosti SSL: (viz instrukce nastavení SSL v Bitcoin Wiki) - + Use OpenSSL (https) for JSON-RPC connections Použít OpenSSL (https) pro JSON-RPC spojení - + Server certificate file (default: server.cert) Soubor se serverovým certifikátem (výchozí: server.cert) @@ -3868,42 +4172,42 @@ This label turns red, if the priority is smaller than "medium". Soubor se serverovým soukromým klí?em (výchozí: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Neplatná ?ástka pro -paytxfee=<?ástka>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Upozorn?ní: -paytxfee je nastaveno velmi vysoko! Toto je transak?ní poplatek, který zaplatíš za každou poslanou transakci. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3913,22 +4217,37 @@ This label turns red, if the priority is smaller than "medium". Upozorn?ní: soubor wallet.dat je poškozený, data jsou však zachrán?na! P?vodní soubor wallet.dat je uložený jako wallet.{timestamp}.bak v %s. Pokud je stav tvého ú?tu nebo transakce nesprávné, z?ejm? bys m?l obnovit zálohu. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed Soubor wallet.dat je poškozen, jeho záchrana se nezda?ila - + Unknown -socks proxy version requested: %i V -socks byla požadována neznámá verze proxy: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Nemohu p?eložit -bind adresu: '%s' @@ -3938,18 +4257,12 @@ This label turns red, if the priority is smaller than "medium". Nemohu p?eložit -externalip adresu: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3959,22 +4272,22 @@ This label turns red, if the priority is smaller than "medium". Chyba p?i na?ítání wallet.dat: pen?ženka je poškozená - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Upozorn?ní: nastala chyba p?i ?tení souboru wallet.dat! Všechny klí?e se p?e?etly správn?, ale data o transakcích nebo záznamy v adresá?i mohou chyb?t ?i být nesprávné. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Chyba p?i na?ítání wallet.dat @@ -3989,22 +4302,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Neda?í se mi p?ipojit na %s na tomhle po?íta?i (operace bind vrátila chybu %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4014,65 +4327,51 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Neplatná ?ástka - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Upozorn?ní: tahle verze je zastaralá, m?l bys ji aktualizovat! + Upozorn?ní: tahle verze je zastaralá, m?l bys ji aktualizovat! - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + To use the %s option K použití volby %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4087,7 +4386,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s P?i nastavování naslouchacího RPC portu %u pro IPv6 nastala chyba, vracím se k IPv4: %s @@ -4106,27 +4405,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Pokud konfigura?ní soubor ješt? neexistuje, vytvo? ho tak, aby ho mohl ?íst pouze vlastník. - + Gridcoin version - + Usage: Užití: - + Send command to -server or gridcoind - + List commands Výpis p?íkaz? - + Get help for a command Získat nápov?du pro p?íkaz diff --git a/src/qt/locale/bitcoin_cy.ts b/src/qt/locale/bitcoin_cy.ts index c0388956c8..dc94c9cc75 100644 --- a/src/qt/locale/bitcoin_cy.ts +++ b/src/qt/locale/bitcoin_cy.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Overview &Trosolwg @@ -389,7 +389,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Gosodiadau - + &Help &Cymorth @@ -423,7 +423,7 @@ This product includes software developed by the OpenSSL Project for use in the O Mae'r waled <b>wedi'i amgryptio</b> ac <b>ar glo</b> ar hyn o bryd - + Send coins to a Gridcoin address @@ -515,12 +515,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -610,7 +610,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -711,7 +711,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -721,7 +721,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -780,7 +780,7 @@ Address: %4 - + %n second(s) @@ -824,7 +824,7 @@ Address: %4 - + Gridcoin @@ -3317,22 +3317,22 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opsiynau: - + Error Gwall - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3347,7 +3347,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3357,55 +3357,39 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3414,11 +3398,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3435,7 +3414,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3445,22 +3424,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3470,27 +3449,57 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Cynefod: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3500,12 +3509,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3520,7 +3529,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3530,47 +3539,158 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Cyfeiriad + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + Connect only to the specified node(s) @@ -3580,62 +3700,237 @@ If the file does not exist, create it with owner-readable-only file permissions. - - Specify your own public address + + Contract length for beacon is less then 256 in length. Size: - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) + + Current Neural Hash - - Discover own IP address (default: 1 when listening and no -externalip) + + Data - - Find peers using internet relay chat (default: 0) + + Delete Beacon Contract - - Accept connections from outside (default: 1 if no -proxy or -connect) + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest - Bind to given address. Use [host]:port notation for IPv6 + Invalid argument exception while parsing Transaction Message -> - - Find peers using DNS lookup (default: 1) + + Is Superblock - - Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) + + Low difficulty!; - - Sync checkpoints policy (default: strict) + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Neges + + + + Messate Type + + + + + Miner: + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Specify your own public address + + + + + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) + + + + + Discover own IP address (default: 1 when listening and no -externalip) + + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + + + + + Bind to given address. Use [host]:port notation for IPv6 + + + + + Find peers using DNS lookup (default: 1) + + + + + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) + + + + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3645,7 +3940,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3655,12 +3950,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3670,17 +3965,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3695,12 +3990,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3710,32 +4005,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3745,12 +4040,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3760,27 +4055,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3795,12 +4090,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3810,22 +4105,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3835,42 +4130,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3880,12 +4175,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3895,7 +4195,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3905,73 +4205,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3981,12 +4285,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3996,32 +4300,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4031,62 +4335,44 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_da.ts b/src/qt/locale/bitcoin_da.ts index da75ad2bd6..93276a49c8 100644 --- a/src/qt/locale/bitcoin_da.ts +++ b/src/qt/locale/bitcoin_da.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Dette program er eksperimentelt. Det er gjort tilgængeligt under MIT/X11-softwarelicensen. Se den medfølgende fil "COPYING" eller http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Produktet indeholder software, som er udviklet af OpenSSL Project til brug i Ope BitcoinGUI - + Sign &message... Signér &besked… @@ -412,7 +421,7 @@ Produktet indeholder software, som er udviklet af OpenSSL Project til brug i Ope &Opsætning - + &Help &Hjælp @@ -454,7 +463,7 @@ Produktet indeholder software, som er udviklet af OpenSSL Project til brug i Ope Tegnebog er <b>krypteret</b> og i øjeblikket <b>låst</b> - + Send coins to a Gridcoin address Send mønter til en Gridcoin adresse @@ -565,7 +574,7 @@ Produktet indeholder software, som er udviklet af OpenSSL Project til brug i Ope Eksportere data i den aktuelle fane til en fil - + Date: %1 Amount: %2 Type: %3 @@ -580,7 +589,7 @@ Adresse: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -590,7 +599,7 @@ Adresse: %4 - + Gridcoin Gridcoin @@ -621,12 +630,12 @@ Adresse: %4 - + New User Wizard - + &Voting @@ -651,7 +660,7 @@ Adresse: %4 Ændre indstillingsmuligheder for Gridcoin - + [testnet] [testnetværk] @@ -804,7 +813,7 @@ Adresse: %4 - + %n second(s) %n sekund @@ -856,7 +865,7 @@ Adresse: %4 Ingen rente - + &Community @@ -3387,52 +3396,52 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. bitcoin-core - + Options: Indstillinger: - + Specify data directory Angiv datamappe - + Connect to a node to retrieve peer addresses, and disconnect Forbind til en knude for at modtage adresser på andre knuder, og afbryd derefter - + Specify your own public address Angiv din egen offentlige adresse - + Accept command line and JSON-RPC commands Acceptér kommandolinje- og JSON-RPC-kommandoer - + Run in the background as a daemon and accept commands Kør i baggrunden som en service, og acceptér kommandoer - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Udfør kommando, når en transaktion i tegnebogen ændres (%s i kommandoen erstattes med TxID) - + Block creation options: Blokoprettelsestilvalg: - + Failed to listen on any port. Use -listen=0 if you want this. Lytning på enhver port mislykkedes. Brug -listen=0, hvis du ønsker dette. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3442,72 +3451,72 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Angiv tegnebogsfil (inden for datamappe) - + Send trace/debug info to console instead of debug.log file Send sporings-/fejlsøgningsinformation til konsollen i stedet for debug.log filen - + Shrink debug.log file on client startup (default: 1 when no -debug) Formindsk debug.log filen ved klientopstart (standard: 1 hvis ikke -debug) - + Username for JSON-RPC connections Brugernavn til JSON-RPC-forbindelser - + Password for JSON-RPC connections Adgangskode til JSON-RPC-forbindelser - + Execute command when the best block changes (%s in cmd is replaced by block hash) Udfør kommando, når den bedste blok ændres (%s i kommandoen erstattes med blokhash) - + Allow DNS lookups for -addnode, -seednode and -connect Tillad DNS-opslag for -addnode, -seednode og -connect - + Loading addresses... Indlæser adresser… - + Invalid -proxy address: '%s' Ugyldig -proxy adresse: “%s” - + Unknown network specified in -onlynet: '%s' Ukendt netværk anført i -onlynet: “%s” - + Insufficient funds Manglende dækning - + Loading block index... Indlæser blokindeks… - + Add a node to connect to and attempt to keep the connection open Tilføj en knude til at forbinde til og forsøg at holde forbindelsen åben - + Loading wallet... Indlæser tegnebog… - + Cannot downgrade wallet Kan ikke nedgradere tegnebog @@ -3517,32 +3526,32 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Kan ikke skrive standardadresse - + Rescanning... Genindlæser… - + Done loading Indlæsning gennemført - + Error Fejl - + This help message Denne hjælpebesked - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Angiv databasecachestørrelse i megabytes (standard: 25) @@ -3552,92 +3561,276 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Set database disk logstørrelsen i megabyte (standard: 100) - + Specify connection timeout in milliseconds (default: 5000) Angiv tilslutningstimeout i millisekunder (standard: 5000) - + Connect through socks proxy Tilslut gennem socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Vælg den version af socks proxy du vil bruge (4-5, standard: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Brug proxy til at nå tor skjulte services (Standard: samme som-proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Lyt efter forbindelser på <port> (default: 15714 eller Testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Oprethold højest <n> forbindelser til andre i netværket (standard: 125) - + Connect only to the specified node(s) Tilslut kun til de(n) angivne knude(r) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Tilslut kun til knuder i netværk <net> (IPv4, IPv6 eller Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Find egen IP-adresse (standard: 1 når lytter og ingen -externalip) - Find peers using internet relay chat (default: 0) - Find peers der bruger internet relay chat (default: 1) {? 0)} + Find peers der bruger internet relay chat (default: 1) {? 0)} - + Accept connections from outside (default: 1 if no -proxy or -connect) Accepter forbindelser udefra (standard: 1 hvis hverken -proxy eller -connect) - + Bind to given address. Use [host]:port notation for IPv6 Binder til en given adresse. Brug [host]: port notation for IPv6 - + Find peers using DNS lookup (default: 1) Find peer bruges DNS-opslag (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synkroniser tid med andre noder. Deaktiver, hvis tiden på dit system er præcis eksempelvis synkroniseret med NTP (default: 1) - Sync checkpoints policy (default: strict) - Synkroniser checkpoints politik (default: streng) + Synkroniser checkpoints politik (default: streng) - + Threshold for disconnecting misbehaving peers (default: 100) Grænse for afbrydelse til dårlige forbindelser (standard: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Antal sekunder dårlige forbindelser skal vente før reetablering (standard: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresse + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maksimum for modtagelsesbuffer pr. forbindelse, <n>*1000 bytes (standard: 5000) @@ -3647,17 +3840,157 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Maksimum for afsendelsesbuffer pr. forbindelse, <n>*1000 bytes (standard: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Besked + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Forsøg at bruge UPnP til at konfigurere den lyttende port (standard: 1 når lytter) @@ -3667,22 +4000,22 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Forsøg at bruge UPnP til at konfigurere den lyttende port (standard: 0) - + Fee per KB to add to transactions you send Gebyr pr KB som tilføjes til transaktioner, du sender - + When creating transactions, ignore inputs with value less than this (default: 0.01) Når du opretter transaktioner ignoreres input med værdi mindre end dette (standard: 0,01) - + Use the test network Brug testnetværket - + Output extra debugging information. Implies all other -debug* options Output ekstra debugging information. Indebærer alle andre-debug * muligheder @@ -3697,32 +4030,32 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Prepend debug output med tidsstempel - + Send trace/debug info to debugger Send trace / debug info til debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Spor efter JSON-RPC-forbindelser på <port> (default: 15715 eller Testnet: 25715) - + Allow JSON-RPC connections from specified IP address Tillad JSON-RPC-forbindelser fra bestemt IP-adresse - + Send commands to node running on <ip> (default: 127.0.0.1) Send kommandoer til knude, der kører på <ip> (standard: 127.0.0.1) - + Require a confirmations for change (default: 0) Kræver en bekræftelser for forandring (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Gennemtving transaktions omkostninger scripts til at bruge canoniske PUSH operatører (default: 1) @@ -3732,68 +4065,52 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Udfør kommando, når en relevant advarsel er modtaget (% s i cmd erstattes af meddelelse) - + Upgrade wallet to latest format Opgrader tegnebog til seneste format - + Set key pool size to <n> (default: 100) Angiv nøglepoolstørrelse til <n> (standard: 100) - + Rescan the block chain for missing wallet transactions Gennemsøg blokkæden for manglende tegnebogstransaktioner - + Attempt to recover private keys from a corrupt wallet.dat Forsøg at genskabe private nøgler fra ødelagt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3802,11 +4119,6 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3818,7 +4130,7 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. - + How many blocks to check at startup (default: 2500, 0 = all) Hvor mange blokke til at kontrollere ved opstart (standard: 2500, 0 = alle) @@ -3833,7 +4145,7 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Importere blokke fra ekstern blk000?. Dat fil - + Loading Network Averages... @@ -3843,22 +4155,22 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Angiv minimumsblokstørrelse i bytes (standard: 0) @@ -3868,22 +4180,22 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Indstil maks. blok størrelse i bytes (standard: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Angiv maksimal størrelse på high-priority/low-fee transaktioner i bytes (standard: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-indstillinger: (se Bitcoin Wiki for SSL-opsætningsinstruktioner) - + Use OpenSSL (https) for JSON-RPC connections Brug OpenSSL (https) for JSON-RPC-forbindelser - + Server certificate file (default: server.cert) Servercertifikat-fil (standard: server.cert) @@ -3897,42 +4209,42 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Acceptable ciphers (default: TLSv1 + HØJ:! SSLv2: aNULL: eNULL: AH: 3DES: @ styrke) - + Invalid amount for -paytxfee=<amount>: '%s' Ugyldigt beløb for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Advarsel: -paytxfee er sat meget højt! Dette er det gebyr du vil betale, hvis du sender en transaktion. - + Invalid amount for -mininput=<amount>: '%s' Ugyldigt beløb for-mininput = <beløb>: '% s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Wallet% s placeret udenfor data mappe% s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Kan ikke få en lås på data mappe% s. Gridcoin kører sikkert allerede. - + Verifying database integrity... Bekræfter database integritet ... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Fejl initialisering database miljø% s! For at gendanne, BACKUP denne mappe, og derefter fjern alt bortset fra wallet.dat. @@ -3942,22 +4254,37 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Advarsel: wallet.dat ødelagt, data reddet! Oprindelig wallet.net gemt som wallet.{timestamp}.bak i %s; hvis din saldo eller dine transaktioner er forkert, bør du genskabe fra en sikkerhedskopi. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat ødelagt, redning af data mislykkedes - + Unknown -socks proxy version requested: %i Ukendt -socks proxy-version: %i - + Invalid -tor address: '%s' Ugyldig-tor-adresse: '% s' - + Cannot resolve -bind address: '%s' Kan ikke finde -bind adressen: '%s' @@ -3967,19 +4294,18 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Kan ikke finde -externalip adressen: '%s' - + Invalid amount for -reservebalance=<amount> Ugyldigt beløb for-reservebalance = <beløb> - Unable to sign checkpoint, wrong checkpointkey? - Kan ikke logge checkpoint, forkert checkpointkey? + Kan ikke logge checkpoint, forkert checkpointkey? - + Error loading blkindex.dat Fejl ved indlæsning af blkindex.dat @@ -3989,22 +4315,22 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Fejl ved indlæsning af wallet.dat: Tegnebog ødelagt - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Advarsel: fejl under læsning af wallet.dat! Alle nøgler blev læst korrekt, men transaktionsdata eller adressebogsposter kan mangle eller være forkerte. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Fejl ved indlæsning af wallet.dat: Wallet kræver en nyere version af Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Det er nødvendig for wallet at blive omskrevet: Genstart Gridcoin for fuldføre - + Error loading wallet.dat Fejl ved indlæsning af wallet.dat @@ -4019,22 +4345,22 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Import af bootstrap blockchain datafil. - + Error: could not start node Fejl: kunne ikke starte node - + Unable to bind to %s on this computer. Gridcoin is probably already running. Kunne ikke binde sig til% s på denne computer. Gridcoin kører sikkert allerede. - + Unable to bind to %s on this computer (bind returned error %d, %s) Kunne ikke tildele %s på denne computer (bind returnerede fejl %d, %s) - + Error: Wallet locked, unable to create transaction Fejl: Wallet låst, ude af stand til at skabe transaktion @@ -4044,65 +4370,59 @@ Det betyder, at et gebyr på mindst %2 er påkrævet. Fejl: Pung låst for at udregne rente, ude af stand til at skabe transaktion. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Fejl: Denne transaktion kræver et transaktionsgebyr på mindst% s på grund af dens størrelse, kompleksitet, eller anvendelse af nylig modtaget midler - + Error: Transaction creation failed Fejl: Transaktion oprettelse mislykkedes - + Sending... Sender... - + 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. Fejl: Transaktionen blev afvist. Dette kan ske, hvis nogle af mønterne i din pung allerede er blevet brugt, som hvis du brugte en kopi af wallet.dat og mønterne blev brugt i kopien, men ikke markeret her. - + Invalid amount Ugyldigt beløb - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Advarsel: Kontroller venligst, at computerens dato og klokkeslæt er korrekt! Hvis dit ur er forkert vil Gridcoin ikke fungere korrekt. - Warning: This version is obsolete, upgrade required! - Advarsel: Denne version er forældet, opgradering påkrævet! + Advarsel: Denne version er forældet, opgradering påkrævet! - - WARNING: synchronized checkpoint violation detected, but skipped! - ADVARSEL: synkroniseret checkpoint overtrædelse opdaget, men skibbet! + ADVARSEL: synkroniseret checkpoint overtrædelse opdaget, men skibbet! - - + Warning: Disk space is low! Advarsel: Diskplads lav! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - ADVARSEL: Ugyldig checkpoint fundet! Viste transaktioner er måske ikke korrekte! Du kan være nødt til at opgradere, eller underrette udviklerne. + ADVARSEL: Ugyldig checkpoint fundet! Viste transaktioner er måske ikke korrekte! Du kan være nødt til at opgradere, eller underrette udviklerne. - + To use the %s option For at bruge %s mulighed - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4117,7 +4437,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Der opstod en fejl ved angivelse af RPC-porten %u til at lytte på IPv6, falder tilbage til IPv4: %s @@ -4136,27 +4456,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Hvis filen ikke eksisterer, opret den og giv ingen andre end ejeren læserettighed. - + Gridcoin version Gridcoin version - + Usage: Anvendelse: - + Send command to -server or gridcoind - + List commands Liste over kommandoer - + Get help for a command Få hjælp til en kommando diff --git a/src/qt/locale/bitcoin_de.ts b/src/qt/locale/bitcoin_de.ts index 97a1fcd7eb..e6b971274c 100644 --- a/src/qt/locale/bitcoin_de.ts +++ b/src/qt/locale/bitcoin_de.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. Veröffentlicht unter der MIT/X11-Softwarelizenz, siehe beiligende Datei COPYING oder http://www.opensource.org/licenses/mit-license.php. @@ -306,7 +315,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open BitcoinGUI - + Sign &message... Nachricht s&ignieren... @@ -414,7 +423,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open &Einstellungen - + &Help &Hilfe @@ -456,7 +465,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open Wallet ist <b>verschlüsselt</b> und aktuell <b>gesperrt</b> - + Send coins to a Gridcoin address Sende Coins zu einer Gridcoin Addresse @@ -567,7 +576,7 @@ Dieses Produkt enthält Software, die vom OpenSSL-Projekt zur Verwendung im Open Exportiere die Daten des momentanen Reiters in eine Datei - + %1 second(s) ago %1 Sekunde(n) @@ -611,7 +620,7 @@ Adresse: %4 {1 - + %n second(s) %n Sekunde @@ -653,12 +662,12 @@ Adresse: %4 {1 - + Gridcoin Gridcoin - + %1 minute(s) ago %1 Minute(n) @@ -729,7 +738,7 @@ Typ: %3 Adresse: %4 - + &About Gridcoin &Über Gridcoin @@ -755,12 +764,12 @@ Adresse: %4 - + New User Wizard - + &Voting @@ -785,7 +794,7 @@ Adresse: %4 Verändere Konfigurationen von Gridcoin - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. URI kann nicht geparsed werden! Dies kann durch eine nicht gültige Gridcoin Addresse, oder schlechten URI Parametern verursacht worden sein. @@ -860,7 +869,7 @@ Adresse: %4 Nicht am Verzinsen - + &Community @@ -3391,52 +3400,52 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. bitcoin-core - + Options: Optionen: - + Specify data directory Datenverzeichnis festlegen - + Connect to a node to retrieve peer addresses, and disconnect Mit dem angegebenen Knoten verbinden, um Adressen von Gegenstellen abzufragen, danach trennen - + Specify your own public address Die eigene öffentliche Adresse angeben - + Accept command line and JSON-RPC commands Kommandozeilen- und JSON-RPC-Befehle annehmen - + Run in the background as a daemon and accept commands Als Hintergrunddienst ausführen und Befehle annehmen - + 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 Transaktions-ID ersetzt) - + Block creation options: Blockerzeugungsoptionen: - + 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. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3446,72 +3455,72 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Wallet-Datei angeben (innerhalb des Datenverzeichnisses) - + 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 - + 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) - + Username for JSON-RPC connections Benutzername für JSON-RPC-Verbindungen - + Password for JSON-RPC connections Passwort für JSON-RPC-Verbindungen - + 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) - + Allow DNS lookups for -addnode, -seednode and -connect Erlaube DNS-Abfragen für -addnode, -seednode und -connect - + Loading addresses... Lade Adressen... - + Invalid -proxy address: '%s' Ungültige Adresse in -proxy: '%s' - + Unknown network specified in -onlynet: '%s' Unbekannter Netztyp in -onlynet angegeben: '%s' - + Insufficient funds Unzureichender Kontostand - + Loading block index... Lade Blockindex... - + 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 - + Loading wallet... Lade Wallet... - + Cannot downgrade wallet Wallet kann nicht auf eine ältere Version herabgestuft werden @@ -3521,32 +3530,32 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Standardadresse kann nicht geschrieben werden - + Rescanning... Durchsuche erneut... - + Done loading Laden abgeschlossen - + Error Fehler - + This help message Dieser Hilfetext - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Größe des Datenbankcaches in MB festlegen (Standard: 25) @@ -3556,92 +3565,276 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Setzte Datenbank Protokoll Grösse in Megabytes (default:100) - + Specify connection timeout in milliseconds (default: 5000) Verbindungstimeout in Millisekunden festlegen (Standard: 5000) - + Connect through socks proxy Verbinde über socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Wähle die Socks Proxy Version (4-5,default:5) - + Use proxy to reach tor hidden services (default: same as -proxy) Proxy benutzen um versteckte Services zu erreichen (Standard: selbe Einstellung wie Proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Höre auf Verbindungen auf <port> (default: 15714 oder Testnetz: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Maximal <n> Verbindungen zu Gegenstellen aufrechterhalten (Standard: 125) - + Connect only to the specified node(s) Nur mit dem/den angegebenen Knoten verbinden - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Verbinde nur zu Knoten des Netztyps <net> (IPv4, IPv6 oder Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Eigene IP-Adresse erkennen (Standard: 1, wenn abgehört wird und nicht -externalip) - Find peers using internet relay chat (default: 0) - Knoten die IRC Chat nutzen auffinden (Standard: 1) (0)?) + Knoten die IRC Chat nutzen auffinden (Standard: 1) (0)?) - + Accept connections from outside (default: 1 if no -proxy or -connect) Eingehende Verbindungen annehmen (Standard: 1, wenn nicht -proxy oder -connect) - + Bind to given address. Use [host]:port notation for IPv6 Binde an gegebene Addresse. Benutze [host]:port Notation für IPv6 - + Find peers using DNS lookup (default: 1) Finde Peers mit DNS lookup (default:1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synchronisiere Zeit mit anderen Knoten. Deaktivieren wenn die Zeit auf ihrem System präzise ist, zum Beispiel über NTP (default:1) - Sync checkpoints policy (default: strict) - Synchronisiere Checkpoints Police (default:strikt) + Synchronisiere Checkpoints Police (default:strikt) - + Threshold for disconnecting misbehaving peers (default: 100) Schwellenwert, um Verbindungen zu sich nicht konform verhaltenden Gegenstellen zu beenden (Standard: 100) - + 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) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresse + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maximale Größe, <n> * 1000 Byte, des Empfangspuffers pro Verbindung (Standard: 5000) @@ -3651,17 +3844,157 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Maximale Größe, <n> * 1000 Byte, des Sendepuffers pro Verbindung (Standard: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Nachricht + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) UPnP verwenden, um die Portweiterleitung einzurichten (Standard: 1, wenn abgehört wird) @@ -3671,22 +4004,22 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. UPnP verwenden, um die Portweiterleitung einzurichten (Standard: 0) - + Fee per KB to add to transactions you send Gebühr pro KB, zusätzlich zur ausgehenden Transaktion - + When creating transactions, ignore inputs with value less than this (default: 0.01) Beim erstellen einer Transaktion werden eingaben kleiner als dieser Wert ignoriert (Standard 0,01) - + Use the test network Das Testnetz verwenden - + Output extra debugging information. Implies all other -debug* options Ausgabe weiterer Debug Informationen. Impliziert alle anderen -debug* Optionen @@ -3701,32 +4034,32 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Füge Zeitstempel zu Debug Ausgabe hinzu - + Send trace/debug info to debugger Sende Trace/Debug Information an Debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Höre auf JSON-RPC Verbindungen auf <port> (default: 15715 oder Testnetz: 25715) - + Allow JSON-RPC connections from specified IP address JSON-RPC-Verbindungen von der angegebenen IP-Adresse erlauben - + Send commands to node running on <ip> (default: 127.0.0.1) Sende Befehle an Knoten <ip> (Standard: 127.0.0.1) - + Require a confirmations for change (default: 0) Benötigt eine Bestätigung zur Änderung (Standard: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Zwinge Transaktionsskripte den kanonischen PUSH Operator zu verwenden (default: 1) @@ -3736,68 +4069,52 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Kommando ausführen wenn eine relevante Meldung eingeht (%s in cmd wird von der Meldung ausgetauscht) - + Upgrade wallet to latest format Wallet auf das neueste Format aktualisieren - + Set key pool size to <n> (default: 100) Größe des Schlüsselpools festlegen auf <n> (Standard: 100) - + Rescan the block chain for missing wallet transactions Blockkette erneut nach fehlenden Wallet-Transaktionen durchsuchen - + Attempt to recover private keys from a corrupt wallet.dat Versucht private Schlüssel aus einer beschädigten wallet.dat wiederherzustellen - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3806,11 +4123,6 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3822,7 +4134,7 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. - + How many blocks to check at startup (default: 2500, 0 = all) Anzahl der zu prüfenden Blöcke bei Programmstart (Standard: 2500, 0 = alle) @@ -3837,7 +4149,7 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Importiere Blöcke aus externer blk000?.dat Datei - + Loading Network Averages... @@ -3847,22 +4159,22 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Minimale Blockgröße in Byte festlegen (Standard: 0) @@ -3872,22 +4184,22 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Setze Maximal Block Grösse in Bytes (default 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Setze Maximalgrösse von hoch bzw tief priorisierten Transaktionen mit niedrigen Gebühren in Bytes (default:27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-Optionen: (siehe Bitcoin-Wiki für SSL-Installationsanweisungen) - + Use OpenSSL (https) for JSON-RPC connections OpenSSL (https) für JSON-RPC-Verbindungen verwenden - + Server certificate file (default: server.cert) Serverzertifikat (Standard: server.cert) @@ -3901,42 +4213,42 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Annehmbare Chiffren (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Ungültiger Betrag für -paytxfee=<amount>: '%s' - + 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. - + Invalid amount for -mininput=<amount>: '%s' Ungültiger Betrag für -mininput=<amount>:'%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Wallet %s liegt außerhalb des Daten Verzeichnisses %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Kann das Verzeichniss nicht einbinden %s. Gridcoin läuft wahrscheinlich bereits. - + Verifying database integrity... Überprüfe Datenbank Integrität... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Fehler beim initialisieren der Datenbank Umgebung %s! Um wiederherzustellen, fertige ein Backup des Verzeichnisses an, dann entferne alles davon ausser die wallet.dat Datei. @@ -3946,22 +4258,37 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Warnung: wallet.dat beschädigt, Rettung erfolgreich! Original wallet.dat wurde als wallet.{Zeitstempel}.dat in %s gespeichert. Falls ihr Kontostand oder Transaktionen nicht korrekt sind, sollten Sie von einer Datensicherung wiederherstellen. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat beschädigt, Rettung fehlgeschlagen - + Unknown -socks proxy version requested: %i Unbekannte Proxyversion in -socks angefordert: %i - + Invalid -tor address: '%s' Ungültige Tor Addresse: '%s' - + Cannot resolve -bind address: '%s' Kann Adresse in -bind nicht auflösen: '%s' @@ -3971,18 +4298,17 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Kann Adresse in -externalip nicht auflösen: '%s' - + Invalid amount for -reservebalance=<amount> Ungültige Anzahl für 'reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - Nicht möglich den Checkpoint zu unterschreiben - falscher Checkpointschlüssel? + Nicht möglich den Checkpoint zu unterschreiben - falscher Checkpointschlüssel? - + Error loading blkindex.dat Fehler beim laden von blkindex.dat @@ -3992,22 +4318,22 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Fehler beim Laden von wallet.dat: Wallet beschädigt - + 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. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Fehler beim Laden von wallet.dat. Wallet benötigt neuere Version von Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Wallet muss neu geschrieben werden. Starte Gridcoin neu um auszuführen - + Error loading wallet.dat Fehler beim Laden von wallet.dat @@ -4022,22 +4348,22 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Importiere Bootstrap Block Kette Datei. - + Error: could not start node Fehler: Node konnte nicht gestartet werden - + Unable to bind to %s on this computer. Gridcoin is probably already running. Fehler beim anbinden %s auf diesem Computer. Gridcoin läuft wahrscheinlich bereits. - + Unable to bind to %s on this computer (bind returned error %d, %s) Kann auf diesem Computer nicht an %s binden (von bind zurückgegebener Fehler %d, %s) - + Error: Wallet locked, unable to create transaction Fehler: Wallet verschlüsselt, unmöglich Transaktion zu erstellen @@ -4047,65 +4373,59 @@ Dieses Label wird rot, wenn die Priorität kleiner ist als Mittel. Fehler: Das Wallet ist nur zum Verzinsen geöffnet. Nicht möglich die Transaktion zu erstellen. - + 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 eine Transaktionsgebühr von mindestens %s wegen der Anzahl, Komplexität oder Benutzung von neuerlich erhaltenen Beträgen - + Error: Transaction creation failed Fehler: Erstellung der Transaktion fehlgeschlagen - + Sending... Wird gesendet... - + 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: Transaktion wurde abgelehnt. Das kann geschehen wenn einige Coins in dem Wallet bereits ausgegeben wurden. Wenn von einer Kopie der wallet.dat Coins ausgegeben wurden, werden sie hier nicht sofort als Ausgabe aufgeführt. - + Invalid amount Ungültiger Betrag - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Wanung : Bitte prüfen Sie ob Datum und Uhrzeit richtig eingestellt sind. Wenn das Datum falsch ist Gridcoin nicht richtig funktionieren. - Warning: This version is obsolete, upgrade required! - Warnung: Diese Version is veraltet, Aktualisierung erforderlich! + Warnung: Diese Version is veraltet, Aktualisierung erforderlich! - - WARNING: synchronized checkpoint violation detected, but skipped! - WARNUNG: Synchronisierter CheckpointVerstoss entdeckt, aber übersprungen! + WARNUNG: Synchronisierter CheckpointVerstoss entdeckt, aber übersprungen! - - + Warning: Disk space is low! Warnung: Festplatte hat wenig freien Speicher! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - WARNUNG : Ungültiger Checkpunkt gefunden! Angezeigte Transaktionen können falsch sein! Du musst vielleicht updaten oder die Entwickler benachrichtigen. + WARNUNG : Ungültiger Checkpunkt gefunden! Angezeigte Transaktionen können falsch sein! Du musst vielleicht updaten oder die Entwickler benachrichtigen. - + To use the %s option Zur Nutzung der %s Option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4120,7 +4440,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Beim Einrichten des abzuhörenden RPC-Ports %u für IPv6 ist ein Fehler aufgetreten, es wird auf IPv4 zurückgegriffen: %s @@ -4139,27 +4459,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Falls die Konfigurationsdatei nicht existiert, erzeugen Sie diese mit Leserechten nur für den Dateibesitzer. - + Gridcoin version Gridcoin Version - + Usage: Benutzung: - + Send command to -server or gridcoind - + List commands Befehle auflisten - + Get help for a command Hilfe zu einem Befehl erhalten diff --git a/src/qt/locale/bitcoin_el_GR.ts b/src/qt/locale/bitcoin_el_GR.ts index 8f9c7d9271..df43a8ee2a 100644 --- a/src/qt/locale/bitcoin_el_GR.ts +++ b/src/qt/locale/bitcoin_el_GR.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Υπογραφή &Μηνύματος... @@ -407,7 +407,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Ρυθμίσεις - + &Help &Βοήθεια @@ -441,7 +441,7 @@ This product includes software developed by the OpenSSL Project for use in the O Το πορτοφόλι είναι <b>κρυπτογραφημένο</b> και <b>κλειδωμένο</b> - + Send coins to a Gridcoin address @@ -573,12 +573,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -613,7 +613,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -758,7 +758,7 @@ Address: %4 - + %n second(s) @@ -800,7 +800,7 @@ Address: %4 - + &Community @@ -810,7 +810,7 @@ Address: %4 - + URI handling @@ -3314,52 +3314,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Επιλογές: - + Specify data directory Ορισμός φακέλου δεδομένων - + Connect to a node to retrieve peer addresses, and disconnect Σύνδεση σε έναν κόμβο για την ανάκτηση διευθύνσεων από ομοτίμους, και αποσυνδέσh - + Specify your own public address Διευκρινίστε τη δικιά σας δημόσια διεύθυνση. - + Accept command line and JSON-RPC commands Αποδοχή εντολών κονσόλας και JSON-RPC - + Run in the background as a daemon and accept commands Εκτέλεση στο παρασκήνιο κι αποδοχή εντολών - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Εκτέλεσε την εντολή όταν το καλύτερο μπλοκ αλλάξει(%s στην εντολή αντικαθίσταται από το hash του μπλοκ) - + Block creation options: Αποκλεισμός επιλογων δημιουργίας: - + Failed to listen on any port. Use -listen=0 if you want this. ταλαιπωρηθειτε για να ακούσετε σε οποιαδήποτε θύρα. Χρήση - ακούστε = 0 , αν θέλετε αυτό. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3369,72 +3369,72 @@ This label turns red, if the priority is smaller than "medium". Επιλέξτε αρχείο πορτοφολιού (μέσα απο κατάλογο δεδομένων) - + Send trace/debug info to console instead of debug.log file Αποστολή πληροφοριών εντοπισμού σφαλμάτων στην κονσόλα αντί του αρχείου debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Συρρίκνωση του αρχείο debug.log κατα την εκκίνηση του πελάτη (προεπιλογή: 1 όταν δεν-debug) - + Username for JSON-RPC connections Όνομα χρήστη για τις συνδέσεις JSON-RPC - + Password for JSON-RPC connections Κωδικός για τις συνδέσεις JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Εκτέλεσε την εντολή όταν το καλύτερο μπλοκ αλλάξει(%s στην εντολή αντικαθίσταται από το hash του μπλοκ) - + Allow DNS lookups for -addnode, -seednode and -connect Να επιτρέπονται οι έλεγχοι DNS για προσθήκη και σύνδεση κόμβων - + Loading addresses... Φόρτωση διευθύνσεων... - + Invalid -proxy address: '%s' Δεν είναι έγκυρη η διεύθυνση διαμεσολαβητή: '%s' - + Unknown network specified in -onlynet: '%s' Άγνωστo δίκτυο ορίζεται σε onlynet: '%s' - + Insufficient funds Ανεπαρκές κεφάλαιο - + Loading block index... Φόρτωση ευρετηρίου μπλοκ... - + Add a node to connect to and attempt to keep the connection open Προσέθεσε ένα κόμβο για σύνδεση και προσπάθησε να κρατήσεις την σύνδεση ανοιχτή - + Loading wallet... Φόρτωση πορτοφολιού... - + Cannot downgrade wallet Δεν μπορώ να υποβαθμίσω το πορτοφόλι @@ -3444,32 +3444,32 @@ This label turns red, if the priority is smaller than "medium". Δεν μπορώ να γράψω την προεπιλεγμένη διεύθυνση - + Rescanning... Ανίχνευση... - + Done loading Η φόρτωση ολοκληρώθηκε - + Error Σφάλμα - + This help message - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) @@ -3479,92 +3479,268 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address + Διεύθυνση + + + + Alert: - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; - + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3574,17 +3750,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3594,22 +3910,22 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3624,32 +3940,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3659,68 +3975,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3729,11 +4029,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3745,7 +4040,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3760,7 +4055,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3770,22 +4065,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3795,22 +4090,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3820,42 +4115,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3865,22 +4160,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3890,18 +4200,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3911,22 +4215,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3941,22 +4245,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3966,65 +4270,47 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4039,7 +4325,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4056,27 +4342,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: Χρήση: - + Send command to -server or gridcoind - + List commands - + Get help for a command diff --git a/src/qt/locale/bitcoin_en.ts b/src/qt/locale/bitcoin_en.ts index 954099f3e6..c7d9abc8e9 100644 --- a/src/qt/locale/bitcoin_en.ts +++ b/src/qt/locale/bitcoin_en.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Sign &message... @@ -407,7 +407,7 @@ This product includes software developed by the OpenSSL Project for use in the O &Settings - + &Help &Help @@ -430,7 +430,7 @@ This product includes software developed by the OpenSSL Project for use in the O Up to date - + Gridcoin Gridcoin @@ -527,7 +527,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard @@ -572,7 +572,7 @@ Address: %4 - + %n second(s) %n second @@ -604,7 +604,7 @@ Address: %4 - + &Voting @@ -684,7 +684,7 @@ Address: %4 - + [testnet] [testnet] @@ -746,7 +746,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -768,7 +768,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -3321,37 +3321,37 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Options: - + Specify data directory Specify data directory - + Connect to a node to retrieve peer addresses, and disconnect Connect to a node to retrieve peer addresses, and disconnect - + Specify your own public address Specify your own public address - + Accept command line and JSON-RPC commands Accept command line and JSON-RPC commands - + Run in the background as a daemon and accept commands Run in the background as a daemon and accept commands - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3361,22 +3361,22 @@ This label turns red, if the priority is smaller than "medium". - + Usage: Usage: - + List commands List commands - + Get help for a command Get help for a command - + Set database cache size in megabytes (default: 25) Set database cache size in megabytes (default: 25) @@ -3386,79 +3386,188 @@ This label turns red, if the priority is smaller than "medium". Set database disk log size in megabytes (default: 100) - + Maintain at most <n> connections to peers (default: 125) Maintain at most <n> connections to peers (default: 125) - - Bitcoin Core + + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - The %s developers + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + + + + Unable to obtain superblock data before vote was made to calculate voting weight - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Accept connections from outside (default: 1 if no -proxy or -connect) + Accept connections from outside (default: 1 if no -proxy or -connect) + + + + Add Beacon Contract - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - + + Add Foundation Poll - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + + Add Poll + - - Accept connections from outside (default: 1 if no -proxy or -connect) - Accept connections from outside (default: 1 if no -proxy or -connect) + + Add Project + + Address + Address + + + + Alert: + + + + All BOINC projects exhausted. - + + Answer + + + + + Answers + + + + + Average Magnitude + + + + Balance too low to create a smart contract. + + + Balance + + Bind to given address. Use [host]:port notation for IPv6 Bind to given address. Use [host]:port notation for IPv6 + + + Block Version + + + Block not in index + + + + + Block read failed + + + + Boinc Mining + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + Client Version + + + + Compute Neural Network Hashes... - - Error obtaining next project. Error 06172014. + + Contract length for beacon is less then 256 in length. Size: - Error obtaining next project. Error 16172014. + Current Neural Hash + + + + + Data - Error obtaining status (08-18-2014). + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Error obtaining next project. Error 06172014. + + + + + Error obtaining next project. Error 16172014. @@ -3467,12 +3576,37 @@ This label turns red, if the priority is smaller than "medium". - + + Expires + + + + Finding first applicable Research Project... - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + Loading Network Averages... @@ -3482,22 +3616,142 @@ This label turns red, if the priority is smaller than "medium". - + + Low difficulty!; + + + + + Magnitude + + + + Maximum number of outbound connections (default: 8) + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + Mining - + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + Please wait for new user wizard to start... - + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3507,32 +3761,42 @@ This label turns red, if the priority is smaller than "medium". - + + Text Message + + + + + Text Rain Message + + + + Threshold for disconnecting misbehaving peers (default: 100) Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Use the test network Use the test network - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Attempt to recover private keys from a corrupt wallet.dat Attempt to recover private keys from a corrupt wallet.dat - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. @@ -3547,67 +3811,72 @@ This label turns red, if the priority is smaller than "medium". Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error: Transaction creation failed - + 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. - + Block creation options: Block creation options: - + Failed to listen on any port. Use -listen=0 if you want this. Failed to listen on any port. Use -listen=0 if you want this. - + Specify wallet file (within data directory) Specify wallet file (within data directory) - + Send trace/debug info to console instead of debug.log file Send trace/debug info to console instead of debug.log file - + Shrink debug.log file on client startup (default: 1 when no -debug) Shrink debug.log file on client startup (default: 1 when no -debug) - + Username for JSON-RPC connections Username for JSON-RPC connections - + Password for JSON-RPC connections Password for JSON-RPC connections - + Execute command when the best block changes (%s in cmd is replaced by block hash) Execute command when the best block changes (%s in cmd is replaced by block hash) - + Allow DNS lookups for -addnode, -seednode and -connect Allow DNS lookups for -addnode, -seednode and -connect - + + Title + + + + To use the %s option To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3622,7 +3891,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3631,27 +3900,27 @@ If the file does not exist, create it with owner-readable-only file permissions. If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version Gridcoin version - + Send command to -server or gridcoind - + Gridcoin Gridcoin - + This help message This help message - + Specify pid file (default: gridcoind.pid) @@ -3661,67 +3930,80 @@ If the file does not exist, create it with owner-readable-only file permissions. Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Select the version of socks proxy to use (4-5, default: 5) - + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use proxy to reach tor hidden services (default: same as -proxy) Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Listen for connections on <port> (default: 15714 or testnet: 25714) {32749 ?} {32748)?} - + Connect only to the specified node(s) Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Discover own IP address (default: 1 when listening and no -externalip) - Find peers using internet relay chat (default: 0) - Find peers using internet relay chat (default: 1) {0)?} + Find peers using internet relay chat (default: 1) {0)?} - + Find peers using DNS lookup (default: 1) Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - Sync checkpoints policy (default: strict) - Sync checkpoints policy (default: strict) + Sync checkpoints policy (default: strict) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3731,7 +4013,7 @@ If the file does not exist, create it with owner-readable-only file permissions. Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Use UPnP to map the listening port (default: 1 when listening) @@ -3741,17 +4023,38 @@ If the file does not exist, create it with owner-readable-only file permissions. Use UPnP to map the listening port (default: 0) - + Fee per KB to add to transactions you send Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + Output extra debugging information. Implies all other -debug* options Output extra debugging information. Implies all other -debug* options @@ -3766,27 +4069,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Prepend debug output with timestamp - + Send trace/debug info to debugger Send trace/debug info to debugger - + Allow JSON-RPC connections from specified IP address Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3796,22 +4099,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions Rescan the block chain for missing wallet transactions - + How many blocks to check at startup (default: 2500, 0 = all) How many blocks to check at startup (default: 2500, 0 = all) @@ -3826,7 +4129,7 @@ If the file does not exist, create it with owner-readable-only file permissions. Imports blocks from external blk000?.dat file - + Set minimum block size in bytes (default: 0) Set minimum block size in bytes (default: 0) @@ -3836,22 +4139,22 @@ If the file does not exist, create it with owner-readable-only file permissions. Set maximum block size in bytes (default: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) Server certificate file (default: server.cert) @@ -3865,7 +4168,7 @@ If the file does not exist, create it with owner-readable-only file permissions. Acceptable ciphers (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Invalid amount for -paytxfee=<amount>: '%s' @@ -3875,42 +4178,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i Unknown -socks proxy version requested: %i - + Invalid -proxy address: '%s' Invalid -proxy address: '%s' @@ -3920,7 +4228,7 @@ If the file does not exist, create it with owner-readable-only file permissions. Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Cannot resolve -bind address: '%s' @@ -3930,18 +4238,12 @@ If the file does not exist, create it with owner-readable-only file permissions. Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat Error loading blkindex.dat @@ -3956,12 +4258,22 @@ If the file does not exist, create it with owner-readable-only file permissions. Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Error loading wallet.dat @@ -3976,27 +4288,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... Loading addresses... - + Error: could not start node Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4006,75 +4318,61 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Sending... Sending... - + Invalid amount Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Warning: This version is obsolete, upgrade required! - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - + Warning: This version is obsolete, upgrade required! - - + Warning: Disk space is low! Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Unknown network specified in -onlynet: '%s' Unknown network specified in -onlynet: '%s' - + Insufficient funds Insufficient funds - + Loading block index... Loading block index... - + Add a node to connect to and attempt to keep the connection open Add a node to connect to and attempt to keep the connection open - + Loading wallet... Loading wallet... - + Cannot downgrade wallet Cannot downgrade wallet @@ -4084,17 +4382,17 @@ If the file does not exist, create it with owner-readable-only file permissions. Cannot write default address - + Rescanning... Rescanning... - + Done loading Done loading - + Error Error diff --git a/src/qt/locale/bitcoin_eo.ts b/src/qt/locale/bitcoin_eo.ts index cd11a1f8e1..bed8d25b8b 100644 --- a/src/qt/locale/bitcoin_eo.ts +++ b/src/qt/locale/bitcoin_eo.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Tio ?i estas eksperimenta programo. Eldonita la? la permesilo MIT/X11. Vidu la kunan dosieron COPYING a? http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Tiu ?i produkto enhavas erojn kreitajn de la "OpenSSL Project" por uzo BitcoinGUI - + Sign &message... Subskribi &mesaĝon... @@ -529,12 +538,12 @@ Tiu ?i produkto enhavas erojn kreitajn de la "OpenSSL Project" por uzo - + New User Wizard - + &Voting @@ -574,7 +583,7 @@ Tiu ?i produkto enhavas erojn kreitajn de la "OpenSSL Project" por uzo - + [testnet] [testnet] @@ -726,7 +735,7 @@ Adreso: %4 - + %n second(s) @@ -768,7 +777,7 @@ Adreso: %4 - + &File &Dosiero @@ -788,7 +797,7 @@ Adreso: %4 - + &Help &Helpo @@ -3346,52 +3355,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Agordoj: - + Specify data directory Specifi dosieron por datumoj - + Connect to a node to retrieve peer addresses, and disconnect Konekti al nodo por ricevi adresojn de samtavolanoj, kaj malkonekti - + Specify your own public address Specifi vian propran publikan adreson - + Accept command line and JSON-RPC commands Akcepti komandojn JSON-RPC kaj el komandlinio - + Run in the background as a daemon and accept commands Ruli fone kiel demono kaj akcepti komandojn - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Plenumi komandon kiam monuja transakcio ŝanĝiĝas (%s en cmd anstataŭiĝas per TxID) - + Block creation options: Blok-kreaj agordaĵoj: - + Failed to listen on any port. Use -listen=0 if you want this. Ne sukcesis aŭskulti ajnan pordon. Uzu -listen=0 se tion vi volas. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3401,72 +3410,72 @@ This label turns red, if the priority is smaller than "medium". Specifi monujan dosieron (ene de dosierujo por datumoj) - + Send trace/debug info to console instead of debug.log file Sendi spurajn/sencimigajn informojn al la konzolo anstataŭ al dosiero debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Malpligrandigi la sencimigan protokol-dosieron kiam kliento lanĉiĝas (defaŭlte: 1 kiam mankas -debug) - + Username for JSON-RPC connections Salutnomo por konektoj JSON-RPC - + Password for JSON-RPC connections Pasvorto por konektoj JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Plenumi komandon kiam plej bona bloko ŝanĝiĝas (%s en cmd anstataŭiĝas per bloka haketaĵo) - + Allow DNS lookups for -addnode, -seednode and -connect Permesi DNS-elserĉojn por -addnote, -seednote kaj -connect - + Loading addresses... Ŝarĝante adresojn... - + Invalid -proxy address: '%s' Nevalid adreso -proxy: '%s' - + Unknown network specified in -onlynet: '%s' Nekonata reto specifita en -onlynet: '%s' - + Insufficient funds Nesufiĉa mono - + Loading block index... Ŝarĝante blok-indekson... - + Add a node to connect to and attempt to keep the connection open Aldoni nodon por alkonekti kaj provi daŭrigi la malferman konekton - + Loading wallet... Ŝargado de monujo... - + Cannot downgrade wallet Ne eblas malpromocii monujon @@ -3476,27 +3485,27 @@ This label turns red, if the priority is smaller than "medium". Ne eblas skribi defaŭltan adreson - + Rescanning... Reskanado... - + Done loading Ŝargado finiĝis - + Error Eraro - + To use the %s option Por uzi la agordon %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3511,7 +3520,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Eraro okazis dum estigo de RPC-pordo %u por a?skulti per IPv6; retrodefa?ltas al IPv4: %s @@ -3521,7 +3530,33 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo Eraro okazis dum estigo de RPC-pordo %u por a?skulti per IPv4: %s - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3530,37 +3565,337 @@ If the file does not exist, create it with owner-readable-only file permissions. Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi". - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adreso + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - - Staking Interest + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude - Unable To Send Beacon! Unlock Wallet! + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mesa?o + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Staking Interest + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable To Send Beacon! Unlock Wallet! + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Uzado: - + Send command to -server or gridcoind - + List commands Listigi komandojn - + Get help for a command Vidigi helpon pri iu komando @@ -3570,17 +3905,17 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + This help message Tiu ?i helpmesa?o - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Specifi grandon de datumbazo je megabajtoj (defa?lte: 25) @@ -3590,92 +3925,82 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Specify connection timeout in milliseconds (default: 5000) Specifi konektan tempolimon je milisekundoj (defa?lte: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Subteni maksimume <n> konektojn al samtavolanoj (defa?lte: 125) - + Connect only to the specified node(s) Konekti nur al specifita(j) nodo(j) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Konekti nur la nodoj en la reto <net> (IPv4, IPv6 a? Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Malkovri la propran IP-adreson (defa?lte: 1 dum a?skultado sen -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Akcepti konektojn el ekstere (defa?lte: 1 se ne estas -proxy nek -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Sojlo por malkonekti misagantajn samtavolanojn (defa?lte: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Nombro da sekundoj por rifuzi rekonekton de misagantaj samtavolanoj (defa?lte: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maksimuma po riceva bufro por konektoj, <n>*1000 bajtoj (defa?lte: 5000) @@ -3685,7 +4010,7 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& Maksimuma po senda bufro por konektoj, <n>*1000 bajtoj (defa?lte: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Uzi UPnP por mapi la a?skultan pordon (defa?lte: 1 dum a?skultado) @@ -3695,22 +4020,22 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& Uzi UPnP por mapi la a?skultan pordon (defa?lte: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Uzi la test-reton - + Output extra debugging information. Implies all other -debug* options @@ -3725,32 +4050,32 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permesi konektojn JSON-RPC de specifa IP-adreso - + Send commands to node running on <ip> (default: 127.0.0.1) Sendi komandon al nodo ?e <ip> (defa?lte: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3760,68 +4085,52 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Upgrade wallet to latest format ?isdatigi monujon al plej lasta formato - + Set key pool size to <n> (default: 100) Agordi la grandon de la ?losilo-vico al <n> (defa?lte: 100) - + Rescan the block chain for missing wallet transactions Reskani la blok?enon por mankantaj monujaj transakcioj - + Attempt to recover private keys from a corrupt wallet.dat Provo ripari privatajn ?losilojn el difektita wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3830,11 +4139,6 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3846,7 +4150,7 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3861,7 +4165,7 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Loading Network Averages... @@ -3871,22 +4175,22 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Agordi minimuman grandon de blokoj je bajtoj (defa?lte: 0) @@ -3896,22 +4200,22 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-agorda?oj: (vidu la vikio de Bitmono por instrukcioj pri agordado de SSL) - + Use OpenSSL (https) for JSON-RPC connections Uzi OpenSSL (https) por konektoj JSON-RPC - + Server certificate file (default: server.cert) Dosiero de servila atestilo (defa?lte: server.cert) @@ -3921,42 +4225,42 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& Dosiero de servila privata ?losilo (defa?lte: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Nevalida sumo por -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Averto: -paytxfee estas agordita per tre alta valoro! Tio estas la krompago, kion vi pagos se vi sendas la transakcion. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3966,22 +4270,37 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& Averto: via wallet.dat estas difektita, sed la datumoj sukcese savi?is! La originala wallet.dat estas nun konservita kiel wallet.{timestamp}.bak en %s; se via saldo a? transakcioj estas mal?ustaj vi devus resta?ri per alia sekurkopio. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat estas difektita, riparo malsukcesis - + Unknown -socks proxy version requested: %i Nekonata versio de -socks petita: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Ne eblas trovi la adreson -bind: '%s' @@ -3991,18 +4310,12 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& Ne eblas trovi la adreson -externalip: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -4012,22 +4325,22 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& Eraro dum ?argado de wallet.dat: monujo difektita - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Averto: okazis eraro dum lego de wallet.dat! ?iuj ?losiloj sukcese legi?is, sed la transakciaj datumoj a? la adresaro eble mankas a? mal?ustas. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Eraro dum ?argado de wallet.dat @@ -4042,22 +4355,22 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Ne eblis bindi al %s en tiu ?i komputilo (bind resendis eraron %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4067,57 +4380,43 @@ Se la dosiero ne ekzistas, kreu ?in kun permeso "nur posedanto rajtas legi& - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Nevalida sumo - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Averto: tiu ?i versio estas eksdata. Vi bezonas ?isdatigon! - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - + Averto: tiu ?i versio estas eksdata. Vi bezonas ?isdatigon! - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_es.ts b/src/qt/locale/bitcoin_es.ts index c089f159d8..1ee400e7fa 100644 --- a/src/qt/locale/bitcoin_es.ts +++ b/src/qt/locale/bitcoin_es.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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 @@ -307,7 +316,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard. BitcoinGUI - + Sign &message... Firmar &mensaje... @@ -424,7 +433,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard.Cifrar o descifrar el monedero - + Date: %1 Amount: %2 Type: %3 @@ -439,7 +448,7 @@ Dirección: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -453,7 +462,7 @@ Dirección: %4 &Guardar copia del monedero... - + &Change Passphrase... &Cambiar la contraseña… @@ -590,12 +599,12 @@ Dirección: %4 - + New User Wizard Nuevo Asistente de Usuario - + &Voting &Votación @@ -651,7 +660,7 @@ Dirección: %4 - + [testnet] [testnet] @@ -806,7 +815,7 @@ Dirección: %4 - + %n second(s) %n segundo @@ -870,7 +879,7 @@ Dirección: %4 No estás "Staking" - + &File &Archivo @@ -890,7 +899,7 @@ Dirección: %4 &Avanzado - + &Help &Ayuda @@ -3501,13 +3510,13 @@ Esto significa que se requiere una cuota de al menos %2. bitcoin-core - + Options: Opciones: - + This help message Este mensaje de ayuda @@ -3517,7 +3526,7 @@ Esto significa que se requiere una cuota de al menos %2. Especifica un archivo de configuración (por defecto: Gridcoin.conf) - + Specify pid file (default: gridcoind.pid) Especifica un archivo pid (por defecto: Gridcoind.pid) @@ -3527,7 +3536,7 @@ Esto significa que se requiere una cuota de al menos %2. Especificar directorio para los datos - + Set database cache size in megabytes (default: 25) Establecer el tamaño de caché de la base de datos en megabytes (predeterminado: 25) @@ -3537,7 +3546,7 @@ Esto significa que se requiere una cuota de al menos %2. Ajusta el tamaño de la base de datos del registro en megabytes (por defecto: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3547,33 +3556,33 @@ Esto significa que se requiere una cuota de al menos %2. Especificar el tiempo máximo de conexión en milisegundos (predeterminado: 5000) - + Connect through socks proxy Conecte a través del socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Selecciona la versión de socks proxy a usar (4-5, por defecto: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Usar proxy para alcanzar a ver los servicios ocultos (por defecto: los mismos que -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Escuche las conexiones en <puerto> (por defecto: 32749 o testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Mantener como máximo <n> conexiones a pares (predeterminado: 125) - + Connect only to the specified node(s) Conectar sólo a los nodos (o nodo) especificados @@ -3583,62 +3592,246 @@ Esto significa que se requiere una cuota de al menos %2. Conectar a un nodo para obtener direcciones de pares y desconectar - + Specify your own public address Especifique su propia dirección pública - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Conectarse solo a nodos de la red <net> (IPv4, IPv6 o Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Descubrir dirección IP propia (predeterminado: 1 al escuchar sin -externalip) - Find peers using internet relay chat (default: 0) - Encontrar pares usando IRC (por defecto:1) {0)?} + Encontrar pares usando IRC (por defecto:1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Aceptar conexiones desde el exterior (predeterminado: 1 si no -proxy o -connect) - + Bind to given address. Use [host]:port notation for IPv6 Enlazar a la dirección dada. Utilice la notación [host]:puerto para IPv6 - + Find peers using DNS lookup (default: 1) Encontrar pares usando la búsqueda de DNS (por defecto: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Sincronizar el tiempo con otros nodos. Desactivar si el tiempo en su sistema es preciso, por ejemplo si usa sincronización con NTP (por defecto: 1) - Sync checkpoints policy (default: strict) - Política de puntos de control de sincronización (por defecto: estricta) + Política de puntos de control de sincronización (por defecto: estricta) - + Threshold for disconnecting misbehaving peers (default: 100) Umbral para la desconexión de pares con mal comportamiento (predeterminado: 100) - + 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) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Dirección + + + + Alert: + + + + + Answer + + + + + Answers + Respuestas + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Búfer de recepción máximo por conexión, <n>*1000 bytes (predeterminado: 5000) @@ -3648,17 +3841,157 @@ Esto significa que se requiere una cuota de al menos %2. Búfer de recepción máximo por conexión, , <n>*1000 bytes (predeterminado: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mensaje + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + Create Poll + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + Tipo de la parte + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + Título + + + + URL + URL + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Usar UPnP para asignar el puerto de escucha (predeterminado: 1 al escuchar) @@ -3668,12 +4001,12 @@ Esto significa que se requiere una cuota de al menos %2. Usar UPnP para asignar el puerto de escucha (predeterminado: 0) - + Fee per KB to add to transactions you send Comisión por KB a añadir a las transacciones que envía - + When creating transactions, ignore inputs with value less than this (default: 0.01) Al crear transacciones, ignorar las entradas con valor inferior a esta (por defecto: 0.01) @@ -3684,13 +4017,13 @@ Esto significa que se requiere una cuota de al menos %2. - + Use the test network Usar la red de pruebas - + Output extra debugging information. Implies all other -debug* options Salida de información de depuración extra. Implica todas las opciones -debug* de depuración @@ -3705,34 +4038,34 @@ Esto significa que se requiere una cuota de al menos %2. Prefijar salida de depuración con marca de tiempo - + Send trace/debug info to debugger Enviar información de rastreo / depurado al depurador - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Escuchar conexiones JSON-RPC en <port> (predeterminado: 15715 o testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permitir conexiones JSON-RPC desde la dirección IP especificada - + Send commands to node running on <ip> (default: 127.0.0.1) Enviar comando al nodo situado en <ip> (predeterminado: 127.0.0.1) - + Require a confirmations for change (default: 0) Requerir confirmaciones para cambio (por defecto: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Exigir a los scripts de transacción que usen los operadores PUSH canónicos (por defecto: 1) @@ -3742,69 +4075,53 @@ Esto significa que se requiere una cuota de al menos %2. Ejecutar comando cuando una alerta relevante sea recibida (%s en la linea de comandos es reemplazado por un mensaje) - + Upgrade wallet to latest format Actualizar el monedero al último formato - + Set key pool size to <n> (default: 100) Ajustar el número de claves en reserva <n> (predeterminado: 100) - + Rescan the block chain for missing wallet transactions Volver a examinar la cadena de bloques en busca de transacciones del monedero perdidas - + Attempt to recover private keys from a corrupt wallet.dat Intento de recuperar claves privadas de un wallet.dat corrupto - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3813,11 +4130,6 @@ Esto significa que se requiere una cuota de al menos %2. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3829,7 +4141,7 @@ Esto significa que se requiere una cuota de al menos %2. - + How many blocks to check at startup (default: 2500, 0 = all) Cuantos bloques para comprobar al inicio (por defecto: 2500, 0 = todos) @@ -3844,7 +4156,7 @@ Esto significa que se requiere una cuota de al menos %2. Importar bloques desde el archivo externo blk000?.dat - + Loading Network Averages... @@ -3854,22 +4166,22 @@ Esto significa que se requiere una cuota de al menos %2. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Establecer tamaño mínimo de bloque en bytes (predeterminado: 0) @@ -3879,23 +4191,23 @@ Esto significa que se requiere una cuota de al menos %2. Establecer el tamaño máximo de bloque en bytes (por defecto: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Establecer el tamaño máximo de las transacciones alta-prioridad/baja-comisión en bytes (por defecto: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opciones SSL: (ver la Bitcoin Wiki para instrucciones de configuración SSL) - + Use OpenSSL (https) for JSON-RPC connections Usar OpenSSL (https) para las conexiones JSON-RPC - + Server certificate file (default: server.cert) Certificado del servidor (predeterminado: server.cert) @@ -3911,42 +4223,42 @@ Esto significa que se requiere una cuota de al menos %2. Cifras aceptables: (por defecto: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Cantidad inválida para -paytxfee=<amount>: '%s' - + 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. - + Invalid amount for -mininput=<amount>: '%s' Cantidad no válida para -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. Error al comprobar la sanidad de inicialización. Gridcoin se está cerrando. - + Wallet %s resides outside data directory %s. El monedero %s reside fuera del directorio de datos %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. No se puede obtener un bloqueo en el directorio de datos %s. Gridcoin probablemente ya esté en funcionamiento. - + Verifying database integrity... Verificando la integridad de la base de datos... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Error al inicializar el entorno de base de datos %s! Para recuperar, HAGA UNA COPIA DE SEGURIDAD DEL DIRECTORIO, a continuación, elimine todo de ella excepto el archivo wallet.dat. @@ -3956,22 +4268,37 @@ Esto significa que se requiere una cuota de al menos %2. 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. - + + Vote + Votar + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrupto, ha fallado la recuperación - + Unknown -socks proxy version requested: %i Solicitada versión de proxy -socks desconocida: %i - + Invalid -tor address: '%s' Dirección -tor inválida: '%s' - + Cannot resolve -bind address: '%s' No se puede resolver la dirección de -bind: '%s' @@ -3981,18 +4308,17 @@ Esto significa que se requiere una cuota de al menos %2. No se puede resolver la dirección de -externalip: '%s' - + Invalid amount for -reservebalance=<amount> Cantidad no válida para -reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - ¿No se puede firmar el punto de control? + ¿No se puede firmar el punto de control? - + Error loading blkindex.dat Error al cargar blkindex.dat @@ -4002,22 +4328,22 @@ Esto significa que se requiere una cuota de al menos %2. Error al cargar wallet.dat: el monedero está dañado - + 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. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Error cargando wallet.dat: El monedero requiere una nueva versión de Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete El monedero necesita ser reescrito: reinicie Gridcoin para completar - + Error loading wallet.dat Error al cargar wallet.dat @@ -4032,22 +4358,22 @@ Esto significa que se requiere una cuota de al menos %2. Importando el archivo de datos de arranque de la cadena de bloques. - + Error: could not start node Error: no se pudo iniciar el nodo - + Unable to bind to %s on this computer. Gridcoin is probably already running. No se puede enlazar a %s en este equipo. Gridcoin probablemente ya esté en funcionamiento. - + Unable to bind to %s on this computer (bind returned error %d, %s) No es posible conectar con %s en este sistema (bind ha dado el error %d, %s) - + Error: Wallet locked, unable to create transaction Error: Monedero bloqueado, no es posible crear una transacción @@ -4057,123 +4383,117 @@ Esto significa que se requiere una cuota de al menos %2. Error: Monedero desbloqueado sólo para hacer "stake", no es posible crear una transacción. - + 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 tarifa de transacción de al menos% s debido a su cantidad, complejidad o uso de los fondos recibidos recientemente - + Error: Transaction creation failed Error: Error en la creación de la transacción - + Sending... Enviando... - + 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: La transacción ha sido rechazada. Esto puede ocurrir si algunas de sus monedas en el monedero ya se gastaron, por ejemplo, si se usa una copia del wallet.dat y se gastaron las monedas de la copia pero no se han marcado como gastadas aquí. - + Invalid amount Cuantía no válida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Advertencia: Verifique que la fecha y hora del equipo sean correctas! Si su reloj es erróneo Gridcoin no funcionará correctamente. - Warning: This version is obsolete, upgrade required! - Aviso: Esta versión es obsoleta, actualización necesaria! + Aviso: Esta versión es obsoleta, actualización necesaria! - - WARNING: synchronized checkpoint violation detected, but skipped! - ADVERTENCIA: violación de un punto de control sincronizado detectada, se saltara! + ADVERTENCIA: violación de un punto de control sincronizado detectada, se saltara! - - + Warning: Disk space is low! Advertencia: Espacio en disco bajo! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - ADVERTENCIA: Punto de control no válido encontrado! Las transacciones que se muestran pueden no ser correctas! Puede que tenga que actualizar o notificar a los desarrolladores. + ADVERTENCIA: Punto de control no válido encontrado! Las transacciones que se muestran pueden no ser correctas! Puede que tenga que actualizar o notificar a los desarrolladores. - + Run in the background as a daemon and accept commands Ejecutar en segundo plano como daemon y aceptar comandos - + 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) - + Block creation options: Opciones de creación de bloques: - + 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. - + Specify wallet file (within data directory) Especificar archivo de monedero (dentro del directorio de datos) - + 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 - + 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) - + Username for JSON-RPC connections Nombre de usuario para las conexiones JSON-RPC - + Password for JSON-RPC connections Contraseña para las conexiones JSON-RPC - + 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) - + Allow DNS lookups for -addnode, -seednode and -connect Permitir búsquedas DNS para -addnode, -seednode y -connect - + To use the %s option Para utilizar la opción %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4197,7 +4517,7 @@ También se recomienda establecer alertnotify para que se le notifique de proble Por ejemplo: alertnotify=echo %%s | mail -s "Alerta de Gridcoin" admin@foo.com - + 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 @@ -4216,28 +4536,28 @@ If the file does not exist, create it with owner-readable-only file permissions. Si el archivo no existe, créelo con permiso de lectura solamente del propietario. - + Gridcoin version versión Gridcoin - + Usage: Uso: - + Send command to -server or gridcoind Enviar comando a -server or gridcoind - + List commands Muestra comandos - + Get help for a command Recibir ayuda para un comando @@ -4248,42 +4568,42 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari Gridcoin - + Loading addresses... Cargando direcciones... - + Invalid -proxy address: '%s' Dirección -proxy inválida: '%s' - + Unknown network specified in -onlynet: '%s' La red especificada en -onlynet '%s' es desconocida - + Insufficient funds Fondos insuficientes - + Loading block index... Cargando el índice de bloques... - + 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 - + Loading wallet... Cargando monedero... - + Cannot downgrade wallet No se puede cambiar a una versión mas antigua el monedero @@ -4293,17 +4613,17 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari No se puede escribir la dirección predeterminada - + Rescanning... Reexplorando... - + Done loading Se terminó de cargar - + Error Error diff --git a/src/qt/locale/bitcoin_es_CL.ts b/src/qt/locale/bitcoin_es_CL.ts index 1851a5340b..938e3a5b03 100644 --- a/src/qt/locale/bitcoin_es_CL.ts +++ b/src/qt/locale/bitcoin_es_CL.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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 @@ -307,7 +316,7 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. BitcoinGUI - + Gridcoin @@ -404,12 +413,12 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. - + New User Wizard - + &Voting @@ -494,7 +503,7 @@ Eric Young (eay@cryptsoft.com) y UPnP software escrito por Thomas Bernard. - + [testnet] [red-de-pruebas] @@ -598,7 +607,7 @@ Dirección: %4 {1 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -619,7 +628,7 @@ Tipo: %3 Dirección: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -678,7 +687,7 @@ Dirección: %4 - + %n second(s) @@ -710,7 +719,7 @@ Dirección: %4 - + &Overview &Vista general @@ -813,7 +822,7 @@ Dirección: %4 &Configuración - + &Help &Ayuda @@ -3342,19 +3351,19 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opciones: - + This help message Este mensaje de ayuda - + Specify pid file (default: gridcoind.pid) @@ -3370,7 +3379,7 @@ This label turns red, if the priority is smaller than "medium". - + Set database cache size in megabytes (default: 25) Asigna el tamaño del caché de la base de datos en MB (25 predeterminado) @@ -3380,37 +3389,37 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) Especifica tiempo de espera para conexion en milisegundos (predeterminado: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Mantener al menos <n> conecciones por cliente (por defecto: 125) - + Connect only to the specified node(s) Conecta solo al nodo especificado @@ -3421,103 +3430,77 @@ This label turns red, if the priority is smaller than "medium". - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Umbral de desconección de clientes con mal comportamiento (por defecto: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3526,11 +3509,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3542,7 +3520,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3552,7 +3530,7 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) @@ -3567,17 +3545,17 @@ This label turns red, if the priority is smaller than "medium". - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3587,12 +3565,12 @@ This label turns red, if the priority is smaller than "medium". - + Unable To Send Beacon! Unlock Wallet! - + Use UPnP to map the listening port (default: 1 when listening) Intenta usar UPnP para mapear el puerto de escucha (default: 1 when listening) @@ -3602,35 +3580,361 @@ This label turns red, if the priority is smaller than "medium". Intenta usar UPnP para mapear el puerto de escucha (default: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + Accept command line and JSON-RPC commands Aceptar comandos consola y JSON-RPC - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Dirección + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mensaje + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + Run in the background as a daemon and accept commands Correr como demonio y acepta comandos - + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use the test network Usa la red de pruebas - + Output extra debugging information. Implies all other -debug* options @@ -3645,34 +3949,34 @@ This label turns red, if the priority is smaller than "medium". - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permite conexiones JSON-RPC desde la dirección IP especificada - + Send commands to node running on <ip> (default: 127.0.0.1) Envia comando al nodo situado en <ip> (predeterminado: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3682,12 +3986,12 @@ This label turns red, if the priority is smaller than "medium". - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3697,29 +4001,29 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format Actualizar billetera al formato actual - + Set key pool size to <n> (default: 100) Ajusta el numero de claves en reserva <n> (predeterminado: 100) - + Rescan the block chain for missing wallet transactions Rescanea la cadena de bloques para transacciones perdidas de la cartera - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3734,12 +4038,12 @@ This label turns red, if the priority is smaller than "medium". - + Block creation options: - + Set minimum block size in bytes (default: 0) Establezca el tamaño mínimo del bloque en bytes (por defecto: 0) @@ -3749,23 +4053,23 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opciones SSL: (ver la Bitcoin Wiki para instrucciones de configuración SSL) - + Use OpenSSL (https) for JSON-RPC connections Usa OpenSSL (https) para las conexiones JSON-RPC - + Server certificate file (default: server.cert) Certificado del servidor (Predeterminado: server.cert) @@ -3777,42 +4081,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' Cantidad inválida para -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Precaución: -paytxfee es muy alta. Esta es la comisión que pagarás si envias una transacción. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3822,12 +4126,27 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrompió, guardado fallido - + Unknown -socks proxy version requested: %i @@ -3837,38 +4156,32 @@ This label turns red, if the priority is smaller than "medium". - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3878,22 +4191,22 @@ This label turns red, if the priority is smaller than "medium". Error cargando wallet.dat: Billetera corrupta - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Error cargando wallet.dat @@ -3908,22 +4221,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) No es posible escuchar en el %s en este ordenador (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3933,88 +4246,74 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Cantidad inválida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Advertencia: Esta versión está obsoleta, se necesita actualizar! + Advertencia: Esta versión está obsoleta, se necesita actualizar! - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Send trace/debug info to console instead of debug.log file Enviar informacion de seguimiento a la consola en vez del archivo debug.log - + Username for JSON-RPC connections Usuario para las conexiones JSON-RPC - + Password for JSON-RPC connections Contraseña para las conexiones JSON-RPC - + Allow DNS lookups for -addnode, -seednode and -connect Permite búsqueda DNS para addnode y connect - + To use the %s option Para utilizar la opción %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4029,7 +4328,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4046,28 +4345,28 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: Uso: - + Send command to -server or gridcoind - + List commands Muestra comandos - + Get help for a command Recibir ayuda para un comando @@ -4078,37 +4377,37 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... Cargando direcciónes... - + Invalid -proxy address: '%s' Dirección -proxy invalida: '%s' - + Insufficient funds Fondos insuficientes - + Loading block index... Cargando el index de bloques... - + Add a node to connect to and attempt to keep the connection open Agrega un nodo para conectarse and attempt to keep the connection open - + Loading wallet... Cargando cartera... - + Cannot downgrade wallet No es posible desactualizar la billetera @@ -4118,17 +4417,17 @@ If the file does not exist, create it with owner-readable-only file permissions. No se pudo escribir la dirección por defecto - + Rescanning... Rescaneando... - + Done loading Carga completa - + Error Error diff --git a/src/qt/locale/bitcoin_es_DO.ts b/src/qt/locale/bitcoin_es_DO.ts index 736feb2c2c..7199ba59cb 100644 --- a/src/qt/locale/bitcoin_es_DO.ts +++ b/src/qt/locale/bitcoin_es_DO.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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 @@ -307,7 +316,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard. BitcoinGUI - + Sign &message... Firmar &mensaje... @@ -532,12 +541,12 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard. - + New User Wizard - + &Voting @@ -577,7 +586,7 @@ Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard. - + [testnet] [testnet] @@ -684,7 +693,7 @@ Dirección: %4 - + %n second(s) @@ -726,7 +735,7 @@ Dirección: %4 - + &File &Archivo @@ -746,7 +755,7 @@ Dirección: %4 - + &Help A&yuda @@ -3349,55 +3358,55 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opciones: - + Specify data directory Especificar directorio para los datos - + Connect to a node to retrieve peer addresses, and disconnect Conectar a un nodo para obtener direcciones de pares y desconectar - + Specify your own public address Especifique su propia dirección pública - + Accept command line and JSON-RPC commands Aceptar comandos consola y JSON-RPC - + Run in the background as a daemon and accept commands Ejecutar en segundo plano como daemon y aceptar comandos - + 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) - + Block creation options: Opciones de creación de bloques: - + 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. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3407,74 +3416,74 @@ This label turns red, if the priority is smaller than "medium". Especificar archivo de monedero (dentro del directorio de datos) - + 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 - + 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) - + Username for JSON-RPC connections Nombre de usuario para las conexiones JSON-RPC - + Password for JSON-RPC connections Contraseña para las conexiones JSON-RPC - + 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) - + Allow DNS lookups for -addnode, -seednode and -connect Permitir búsquedas DNS para -addnode, -seednode y -connect - + Loading addresses... Cargando direcciones... - + Invalid -proxy address: '%s' Dirección -proxy inválida: '%s' - + Unknown network specified in -onlynet: '%s' La red especificada en -onlynet '%s' es desconocida - + Insufficient funds Fondos insuficientes - + Loading block index... Cargando el índice de bloques... - + 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 - + Loading wallet... Cargando monedero... - + Cannot downgrade wallet No se puede rebajar el monedero @@ -3484,27 +3493,27 @@ This label turns red, if the priority is smaller than "medium". No se puede escribir la dirección predeterminada - + Rescanning... Reexplorando... - + Done loading Generado pero no aceptado - + Error Error - + To use the %s option Para utilizar la opción %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3519,7 +3528,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + 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 @@ -3529,7 +3538,33 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo Ha ocurrido un error al configurar el puerto RPC %u para escucha en IPv4: %s - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3538,38 +3573,338 @@ If the file does not exist, create it with owner-readable-only file permissions. Si el archivo no existe, créelo con permiso de lectura solamente del propietario. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Dirección + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - - Staking Interest + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude - Unable To Send Beacon! Unlock Wallet! + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mensaje + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Staking Interest + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable To Send Beacon! Unlock Wallet! + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Uso: - + Send command to -server or gridcoind - + List commands Muestra comandos - + Get help for a command Recibir ayuda para un comando @@ -3580,18 +3915,18 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + This help message Este mensaje de ayuda - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Establecer el tamaño de caché de la base de datos en megabytes (predeterminado: 25) @@ -3601,92 +3936,82 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Specify connection timeout in milliseconds (default: 5000) Especificar el tiempo máximo de conexión en milisegundos (predeterminado: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Mantener como máximo <n> conexiones a pares (predeterminado: 125) - + Connect only to the specified node(s) Conectar sólo a los nodos (o nodo) especificados - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Conectarse solo a nodos de la red <net> (IPv4, IPv6 o Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Descubrir dirección IP propia (predeterminado: 1 al escuchar sin -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Aceptar conexiones desde el exterior (predeterminado: 1 si no -proxy o -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Umbral para la desconexión de pares con mal comportamiento (predeterminado: 100) - + 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) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Búfer de recepción máximo por conexión, <n>*1000 bytes (predeterminado: 5000) @@ -3696,7 +4021,7 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari Búfer de recepción máximo por conexión, , <n>*1000 bytes (predeterminado: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Usar UPnP para asignar el puerto de escucha (predeterminado: 1 al escuchar) @@ -3706,23 +4031,23 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari Usar UPnP para asignar el puerto de escucha (predeterminado: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Usar la red de pruebas - + Output extra debugging information. Implies all other -debug* options @@ -3737,34 +4062,34 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permitir conexiones JSON-RPC desde la dirección IP especificada - + Send commands to node running on <ip> (default: 127.0.0.1) Enviar comando al nodo situado en <ip> (predeterminado: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3774,69 +4099,53 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Upgrade wallet to latest format Actualizar el monedero al último formato - + Set key pool size to <n> (default: 100) Ajustar el número de claves en reserva <n> (predeterminado: 100) - + Rescan the block chain for missing wallet transactions Volver a examinar la cadena de bloques en busca de transacciones del monedero perdidas - + Attempt to recover private keys from a corrupt wallet.dat Intento de recuperar claves privadas de un wallet.dat corrupto - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3845,11 +4154,6 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3861,7 +4165,7 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3876,7 +4180,7 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Loading Network Averages... @@ -3886,22 +4190,22 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Establecer tamaño mínimo de bloque en bytes (predeterminado: 0) @@ -3911,23 +4215,23 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opciones SSL: (ver la Bitcoin Wiki para instrucciones de configuración SSL) - + Use OpenSSL (https) for JSON-RPC connections Usar OpenSSL (https) para las conexiones JSON-RPC - + Server certificate file (default: server.cert) Certificado del servidor (predeterminado: server.cert) @@ -3939,42 +4243,42 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Invalid amount for -paytxfee=<amount>: '%s' Cantidad inválida para -paytxfee=<amount>: '%s' - + 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. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3984,22 +4288,37 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari 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. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrupto. Ha fallado la recuperación. - + Unknown -socks proxy version requested: %i Solicitada versión de proxy -socks desconocida: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' No se puede resolver la dirección de -bind: '%s' @@ -4009,18 +4328,12 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari No se puede resolver la dirección de -externalip: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -4030,22 +4343,22 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari Error al cargar wallet.dat: el monedero está dañado - + 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. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Error al cargar wallet.dat @@ -4060,22 +4373,22 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) No es posible conectar con %s en este sistema (bind ha dado el error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4085,57 +4398,43 @@ Si el archivo no existe, créelo con permiso de lectura solamente del propietari - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Cuantía no válida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Aviso: Esta versión es obsoleta, actualización necesaria! - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - + Aviso: Esta versión es obsoleta, actualización necesaria! - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_es_MX.ts b/src/qt/locale/bitcoin_es_MX.ts index 764f269fa7..511d9961e9 100644 --- a/src/qt/locale/bitcoin_es_MX.ts +++ b/src/qt/locale/bitcoin_es_MX.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Gridcoin @@ -396,12 +396,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -486,7 +486,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] @@ -584,7 +584,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -594,7 +594,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -653,7 +653,7 @@ Address: %4 - + %n second(s) @@ -685,7 +685,7 @@ Address: %4 - + &Overview &Vista previa @@ -788,7 +788,7 @@ Address: %4 &Configuraciones - + &Help &Ayuda @@ -3298,12 +3298,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opciones: - + Loading addresses... Cargando direcciones... @@ -3313,27 +3313,27 @@ This label turns red, if the priority is smaller than "medium". Cargando indice de bloques... - + To use the %s option - + Loading wallet... Cargando billetera... - + Done loading Carga completa - + Error Error - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3348,7 +3348,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3358,55 +3358,39 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3415,11 +3399,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3436,7 +3415,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3446,22 +3425,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3471,27 +3450,57 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Uso: - + Send command to -server or gridcoind - + List commands Lista de comandos - + Get help for a command @@ -3501,12 +3510,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3521,7 +3530,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3531,47 +3540,158 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Domicilio + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + Connect only to the specified node(s) @@ -3581,62 +3701,237 @@ If the file does not exist, create it with owner-readable-only file permissions. - - Specify your own public address + + Contract length for beacon is less then 256 in length. Size: - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) + + Current Neural Hash - - Discover own IP address (default: 1 when listening and no -externalip) + + Data - - Find peers using internet relay chat (default: 0) + + Delete Beacon Contract - - Accept connections from outside (default: 1 if no -proxy or -connect) + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest - Bind to given address. Use [host]:port notation for IPv6 + Invalid argument exception while parsing Transaction Message -> - - Find peers using DNS lookup (default: 1) + + Is Superblock - - Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) + + Low difficulty!; - - Sync checkpoints policy (default: strict) + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Specify your own public address + + + + + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) + + + + + Discover own IP address (default: 1 when listening and no -externalip) + + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + + + + + Bind to given address. Use [host]:port notation for IPv6 + + + + + Find peers using DNS lookup (default: 1) + + + + + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) + + + + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3646,7 +3941,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3656,12 +3951,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3671,17 +3966,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3696,12 +3991,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3711,32 +4006,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3746,12 +4041,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3761,27 +4056,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3796,12 +4091,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3811,22 +4106,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3836,42 +4131,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3881,12 +4176,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3896,7 +4206,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3906,33 +4216,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3942,27 +4246,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3972,12 +4276,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3987,22 +4291,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4012,62 +4316,44 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_es_UY.ts b/src/qt/locale/bitcoin_es_UY.ts index 8747ab4460..0764510f3a 100644 --- a/src/qt/locale/bitcoin_es_UY.ts +++ b/src/qt/locale/bitcoin_es_UY.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Overview &Vista previa @@ -431,12 +431,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -531,7 +531,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [prueba_de_red] @@ -629,7 +629,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -639,7 +639,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -698,7 +698,7 @@ Address: %4 - + %n second(s) @@ -730,7 +730,7 @@ Address: %4 - + &Options... &Opciones... @@ -784,7 +784,7 @@ Address: %4 &Configuracion - + &Help &Ayuda @@ -3294,12 +3294,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3314,7 +3314,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3324,55 +3324,39 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3381,11 +3365,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3402,7 +3381,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3412,22 +3391,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3438,46 +3417,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands - + Get help for a command + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + Address + Direccion + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: Opciones: - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message - + Specify pid file (default: gridcoind.pid) @@ -3492,7 +3797,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3502,47 +3807,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3552,62 +3857,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3617,7 +3912,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3627,12 +3922,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3642,17 +3937,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3667,12 +3962,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3682,32 +3977,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3717,12 +4012,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3732,27 +4027,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3767,12 +4062,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3782,22 +4077,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3807,42 +4102,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3852,12 +4147,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3867,7 +4167,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3877,73 +4177,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3953,12 +4257,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3968,32 +4272,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4003,65 +4307,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Error Error diff --git a/src/qt/locale/bitcoin_et.ts b/src/qt/locale/bitcoin_et.ts index c6e8de9e8e..5970e8a434 100644 --- a/src/qt/locale/bitcoin_et.ts +++ b/src/qt/locale/bitcoin_et.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - ? + ? See on eksperimentaalne tarkvara.? ? Levitatud MIT/X11 tarkvara litsentsi all, vaata kaasasolevat faili COPYING või http://www.opensource.org/licenses/mit-license.php? @@ -304,7 +313,7 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS BitcoinGUI - + Gridcoin Gridcoin @@ -401,12 +410,12 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS - + New User Wizard - + &Voting @@ -491,7 +500,7 @@ Toode sisaldab OpenSSL Projekti all toodetud tarkvara, mis on kasutamiseks OpenS - + [testnet] [testnet] @@ -587,7 +596,7 @@ Aadress: %4? {1 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -608,7 +617,7 @@ Tüüp: %3? Aadress: %4? - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -667,7 +676,7 @@ Aadress: %4? - + %n second(s) @@ -699,7 +708,7 @@ Aadress: %4? - + &Overview &Ülevaade @@ -802,7 +811,7 @@ Aadress: %4? &Seaded - + &Help &Abi @@ -3351,17 +3360,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Valikud: - + This help message Käesolev abitekst - + Specify pid file (default: gridcoind.pid) @@ -3376,7 +3385,7 @@ This label turns red, if the priority is smaller than "medium". - + Set database cache size in megabytes (default: 25) Sea andmebaasi vahemälu suurus MB (vaikeväärtus: 25) @@ -3386,37 +3395,37 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) Sea ühenduse timeout millisekundites (vaikeväärtus: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Säilita vähemalt <n> ühendust peeridega (vaikeväärtus: 125) - + Connect only to the specified node(s) Ühendu ainult määratud node'i(de)ga @@ -3426,62 +3435,52 @@ This label turns red, if the priority is smaller than "medium". Peeri aadressi saamiseks ühendu korraks node'iga - + Specify your own public address Täpsusta enda avalik aadress - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Ühenda ainult node'idega <net> võrgus (IPv4, IPv6 või Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Leia oma IP aadress (vaikeväärtus: 1, kui kuulatakse ning puudub -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Luba välisühendusi (vaikeväärtus: 1 kui puudub -proxy või -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Ulakate peeride valulävi (vaikeväärtus: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Mitme sekundi pärast ulakad peerid tagasi võivad tulla (vaikeväärtus: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maksimaalne saamise puhver -connection kohta , <n>*1000 baiti (vaikeväärtus: 5000) @@ -3491,7 +3490,7 @@ This label turns red, if the priority is smaller than "medium". Maksimaalne saatmise puhver -connection kohta , <n>*1000 baiti (vaikeväärtus: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Kasuta kuulatava pordi määramiseks UPnP ühendust (vaikeväärtus: 1, kui kuulatakse) @@ -3501,12 +3500,12 @@ This label turns red, if the priority is smaller than "medium". Kasuta kuulatava pordi määramiseks UPnP ühendust (vaikeväärtus: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3516,17 +3515,17 @@ This label turns red, if the priority is smaller than "medium". Luba käsurea ning JSON-RPC käsklusi - + Run in the background as a daemon and accept commands Tööta taustal ning aktsepteeri käsklusi - + Use the test network Testvõrgu kasutamine - + Output extra debugging information. Implies all other -debug* options @@ -3541,32 +3540,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address JSON-RPC ühenduste lubamine kindla IP pealt - + Send commands to node running on <ip> (default: 127.0.0.1) Saada käsklusi node'ile IP'ga <ip> (vaikeväärtus: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3576,27 +3575,188 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format Uuenda rahakott uusimasse vormingusse - + Set key pool size to <n> (default: 100) Sea võtmete hulgaks <n> (vaikeväärtus: 100) - + Rescan the block chain for missing wallet transactions Otsi ploki jadast rahakoti kadunud tehinguid - + Attempt to recover private keys from a corrupt wallet.dat Püüa vigasest wallet.dat failist taastada turvavõtmed - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Aadress + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + How many blocks to check at startup (default: 2500, 0 = all) @@ -3611,7 +3771,127 @@ This label turns red, if the priority is smaller than "medium". - + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Sõnum + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + Set minimum block size in bytes (default: 0) Sea minimaalne bloki suurus baitides (vaikeväärtus: 0) @@ -3621,22 +3901,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL valikud: (vaata Bitcoini Wikist või SSL sätete juhendist) - + Use OpenSSL (https) for JSON-RPC connections Kasuta JSON-RPC ühenduste jaoks OpenSSL'i (https) - + Server certificate file (default: server.cert) Serveri sertifikaadifail (vaikeväärtus: server.cert) @@ -3646,42 +3926,42 @@ This label turns red, if the priority is smaller than "medium". Serveri privaatvõti (vaikeväärtus: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' -paytxfee=<amount> jaoks vigane kogus: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Hoiatus: -paytxfee on seatud väga kõrgeks! See on sinu poolt makstav tehingu lisatasu. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Rahakott %s paikenb väljaspool kataloogi %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3691,22 +3971,37 @@ This label turns red, if the priority is smaller than "medium". Hoiatus: toimus wallet.dat faili andmete päästmine! Originaal wallet.dat nimetati kaustas %s ümber wallet.{ajatempel}.bak'iks, jäägi või tehingute ebakõlade puhul tuleks teha backup'ist taastamine. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat fail on katki, päästmine ebaõnnestus - + Unknown -socks proxy version requested: %i Küsitud tundmatu -socks proxi versioon: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Tundmatu -bind aadress: '%s' @@ -3716,18 +4011,12 @@ This label turns red, if the priority is smaller than "medium". Tundmatu -externalip aadress: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat Viga faili blkindex.dat laadimisel @@ -3737,22 +4026,22 @@ This label turns red, if the priority is smaller than "medium". Viga wallet.dat käivitamisel. Vigane rahakkott - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Hoiatus: ilmnes tõrge wallet.dat faili lugemisel! Võtmed on terved, kuid tehingu andmed või aadressiraamatu kirjed võivad olla kadunud või vigased. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Viga faili wallet.dat laadimisel: rahakott vajab Gridcoin'i uuemat versiooni. - + Wallet needed to be rewritten: restart Gridcoin to complete Rahakott on vaja üle kirjutada: käivita Gridcoin uuesti toimingu lõpetamiseks - + Error loading wallet.dat Viga wallet.dat käivitamisel @@ -3767,22 +4056,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Selle arvutiga ei ole võimalik siduda %s külge (katse nurjus %d, %s tõttu) - + Error: Wallet locked, unable to create transaction @@ -3792,111 +4081,81 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... Saatmine... - + 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. - + Invalid amount Kehtetu summa - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Hoiatus: versioon on aegunud, uuendus on nõutav! - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - + Hoiatus: versioon on aegunud, uuendus on nõutav! - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Käivita käsklus, kui rahakoti tehing muutub (%s cmd's muudetakse TxID'ks) - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Block creation options: Blokeeri loomise valikud: - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3905,28 +4164,23 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. - + Failed to listen on any port. Use -listen=0 if you want this. Pordi kuulamine nurjus. Soovikorral kasuta -listen=0. - + Finding first applicable Research Project... - + Loading Network Averages... @@ -3936,27 +4190,42 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Send trace/debug info to console instead of debug.log file Saada jälitus/debug, debug.log faili asemel, konsooli + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Shrink debug.log file on client startup (default: 1 when no -debug) Kahanda programmi käivitamisel debug.log faili (vaikeväärtus: 1, kui ei ole -debug) @@ -3971,37 +4240,67 @@ This label turns red, if the priority is smaller than "medium". - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Username for JSON-RPC connections JSON-RPC ühenduste kasutajatunnus - + Password for JSON-RPC connections JSON-RPC ühenduste salasõna - + Execute command when the best block changes (%s in cmd is replaced by block hash) Käivita käsklus, kui parim plokk muutub (käskluse %s asendatakse ploki hash'iga) - + Allow DNS lookups for -addnode, -seednode and -connect -addnode, -seednode ja -connect tohivad kasutada DNS lookup'i - + To use the %s option %s valiku kasutamine - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4016,7 +4315,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s RPC pordi %u kuulamiseks seadistamisel ilmnes viga IPv6'l, lülitumine tagasi IPv4'le : %s @@ -4035,27 +4334,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Kui seda faili ei ole, loo see ainult-omanikule-lugemiseks faili õigustes. - + Gridcoin version - + Usage: Kasutus: - + Send command to -server or gridcoind - + List commands Käskluste loetelu - + Get help for a command Käskluste abiinfo @@ -4065,42 +4364,42 @@ Kui seda faili ei ole, loo see ainult-omanikule-lugemiseks faili õigustes.Gridcoin - + Loading addresses... Aadresside laadimine... - + Invalid -proxy address: '%s' Vigane -proxi aadress: '%s' - + Unknown network specified in -onlynet: '%s' Kirjeldatud tundmatu võrgustik -onlynet'is: '%s' - + Insufficient funds Liiga suur summa - + Loading block index... Klotside indeksi laadimine... - + Add a node to connect to and attempt to keep the connection open Lisa node ning hoia ühendus avatud - + Loading wallet... Rahakoti laadimine... - + Cannot downgrade wallet Rahakoti vanandamine ebaõnnestus @@ -4110,17 +4409,17 @@ Kui seda faili ei ole, loo see ainult-omanikule-lugemiseks faili õigustes.Tõrge vaikimisi aadressi kirjutamisel - + Rescanning... Üleskaneerimine... - + Done loading Laetud - + Error Tõrge diff --git a/src/qt/locale/bitcoin_eu_ES.ts b/src/qt/locale/bitcoin_eu_ES.ts index f73eac08a1..2bb0f74584 100644 --- a/src/qt/locale/bitcoin_eu_ES.ts +++ b/src/qt/locale/bitcoin_eu_ES.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Wallet @@ -441,12 +441,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -551,7 +551,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -649,7 +649,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -659,7 +659,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -718,7 +718,7 @@ Address: %4 - + %n second(s) @@ -750,7 +750,7 @@ Address: %4 - + &Options... &Aukerak... @@ -780,7 +780,7 @@ Address: %4 &Ezarpenak - + &Help &Laguntza @@ -3290,12 +3290,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3310,27 +3310,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Error - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3340,40 +3330,34 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3382,11 +3366,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3403,7 +3382,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3413,22 +3392,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3439,46 +3418,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands Komandoen lista - + Get help for a command Laguntza komando batean + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + Address + Helbidea + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mezua + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: Aukerak - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message Laguntza mezu hau - + Specify pid file (default: gridcoind.pid) @@ -3493,7 +3798,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3503,47 +3808,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3553,62 +3858,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3618,7 +3913,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3628,12 +3923,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3643,17 +3938,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3668,12 +3963,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3683,32 +3978,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3718,12 +4013,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3733,27 +4028,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3768,12 +4063,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3783,22 +4078,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3808,42 +4103,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3853,12 +4148,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3868,7 +4168,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3878,73 +4178,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3954,12 +4258,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... Birbilatzen... - + Importing blockchain data file. @@ -3969,32 +4273,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading Zamaketa amaitua - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4004,62 +4308,44 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_fa.ts b/src/qt/locale/bitcoin_fa.ts index 984389dd14..c63be011d8 100644 --- a/src/qt/locale/bitcoin_fa.ts +++ b/src/qt/locale/bitcoin_fa.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... &امضای پیام... @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] آزمایش شبکه @@ -706,7 +706,7 @@ Address: %4 - + %n second(s) @@ -744,7 +744,7 @@ Address: %4 - + &File &فایل @@ -764,7 +764,7 @@ Address: %4 - + &Help &کمک‌رسانی @@ -3304,17 +3304,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: گزینه‌ها: - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3329,7 +3329,7 @@ This label turns red, if the priority is smaller than "medium". - + Set database cache size in megabytes (default: 25) @@ -3339,37 +3339,37 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) @@ -3379,62 +3379,52 @@ This label turns red, if the priority is smaller than "medium". اتصال به یک گره برای دریافت آدرس‌های همتا و قطع اتصال پس از اتمام عملیات - + Specify your own public address آدرس عمومی خود را مشخص کنید - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3444,7 +3434,7 @@ This label turns red, if the priority is smaller than "medium". - + Use UPnP to map the listening port (default: 1 when listening) @@ -3454,12 +3444,12 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3469,17 +3459,17 @@ This label turns red, if the priority is smaller than "medium". پذیرش دستورات خط فرمان و دستورات JSON-RPC - + Run in the background as a daemon and accept commands اجرا در پشت زمینه به‌صورت یک سرویس و پذیرش دستورات - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3494,32 +3484,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3529,27 +3519,188 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + آدرس + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + How many blocks to check at startup (default: 2500, 0 = all) @@ -3564,7 +3715,127 @@ This label turns red, if the priority is smaller than "medium". - + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + Set minimum block size in bytes (default: 0) @@ -3574,22 +3845,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3599,42 +3870,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3644,22 +3915,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3669,18 +3955,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3690,22 +3970,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3720,22 +4000,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3745,111 +4025,77 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) هنگامی که یک تراکنش در کیف پولی رخ می دهد، دستور را اجرا کن(%s در دستورات بوسیله ی TxID جایگزین می شود) - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Block creation options: بستن گزینه ایجاد - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3858,28 +4104,23 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. - + Failed to listen on any port. Use -listen=0 if you want this. شنیدن هر گونه درگاه انجام پذیر نیست. ازlisten=0 برای اینکار استفاده کیند. - + Finding first applicable Research Project... - + Loading Network Averages... @@ -3889,27 +4130,42 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Send trace/debug info to console instead of debug.log file اطلاعات ردگیری/اشکال‌زدایی را به جای فایل لاگ اشکال‌زدایی به کنسول بفرستید + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Shrink debug.log file on client startup (default: 1 when no -debug) فایل debug.log را در startup مشتری کوچک کن (پیش فرض:1 اگر اشکال زدایی روی نداد) @@ -3924,37 +4180,67 @@ This label turns red, if the priority is smaller than "medium". - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Username for JSON-RPC connections JSON-RPC شناسه برای ارتباطات - + Password for JSON-RPC connections JSON-RPC عبارت عبور برای ارتباطات - + Execute command when the best block changes (%s in cmd is replaced by block hash) زمانی که بهترین بلاک تغییر کرد، دستور را اجرا کن (%s در cmd با block hash جایگزین شده است) - + Allow DNS lookups for -addnode, -seednode and -connect به DNS اجازه بده تا برای addnode ، seednode و اتصال جستجو کند - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3969,7 +4255,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3986,27 +4272,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: استفاده: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -4016,42 +4302,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... بار گیری آدرس ها - + Invalid -proxy address: '%s' آدرس پراکسی اشتباه %s - + Unknown network specified in -onlynet: '%s' شبکه مشخص شده غیرقابل شناسایی در onlynet: '%s' - + Insufficient funds بود جه نا کافی - + Loading block index... بار گیری شاخص بلوک - + Add a node to connect to and attempt to keep the connection open به اتصال یک گره اضافه کنید و اتصال را باز نگاه دارید - + Loading wallet... بار گیری والت - + Cannot downgrade wallet امکان تنزل نسخه در wallet وجود ندارد @@ -4061,17 +4347,17 @@ If the file does not exist, create it with owner-readable-only file permissions. آدرس پیش فرض قابل ذخیره نیست - + Rescanning... اسکان مجدد - + Done loading بار گیری انجام شده است - + Error خطا diff --git a/src/qt/locale/bitcoin_fa_IR.ts b/src/qt/locale/bitcoin_fa_IR.ts index 866d02fdc8..2af35f50e7 100644 --- a/src/qt/locale/bitcoin_fa_IR.ts +++ b/src/qt/locale/bitcoin_fa_IR.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... امضا و پیام @@ -436,12 +436,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -506,7 +506,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -603,7 +603,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -613,7 +613,7 @@ Address: %4 - + URI handling @@ -672,7 +672,7 @@ Address: %4 - + %n second(s) @@ -700,7 +700,7 @@ Address: %4 - + &Options... و انتخابها @@ -783,7 +783,7 @@ Address: %4 و تنظیمات - + &Help و راهنما @@ -3292,22 +3292,303 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: انتخابها: - + Specify data directory دایرکتوری داده را مشخص کن - + Accept command line and JSON-RPC commands command line و JSON-RPC commands را قبول کنید - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + آدرس + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + Run in the background as a daemon and accept commands به عنوان daemon بک گراند را اجرا کنید و دستورات را قبول نمایید @@ -3317,42 +3598,87 @@ This label turns red, if the priority is smaller than "medium". ارسال اطلاعات پیگیری/خطایابی به کنسول به جای ارسال به فایل debug.log - + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Username for JSON-RPC connections شناسه کاربری برای ارتباطاتِ JSON-RPC - + Password for JSON-RPC connections رمز برای ارتباطاتِ JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) دستور را وقتی بهترین بلاک تغییر کرد اجرا کن (%s در دستور توسط block hash جایگزین شده است) - + Loading addresses... لود شدن آدرسها.. - + Insufficient funds وجوه ناکافی - + Loading block index... لود شدن نمایه بلاکها.. - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3367,17 +3693,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Add a node to connect to and attempt to keep the connection open یک گره برای اتصال اضافه کنید و تلاش کنید تا اتصال را باز نگاه دارید - + Loading wallet... wallet در حال لود شدن است... - + Cannot downgrade wallet قابلیت برگشت به نسخه قبلی برای wallet امکان پذیر نیست @@ -3387,37 +3713,27 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo آدرس پیش فرض قابل ذخیره نیست - + Rescanning... اسکنِ دوباره... - + Done loading اتمام لود شدن - + Error خطا - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3427,40 +3743,34 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3469,11 +3779,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3490,7 +3795,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3500,22 +3805,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3525,27 +3830,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Unable To Send Beacon! Unlock Wallet! - + Usage: میزان استفاده: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3555,12 +3860,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3570,7 +3875,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3580,42 +3885,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) @@ -3625,62 +3930,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3690,7 +3985,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3700,22 +3995,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3730,42 +4025,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3775,27 +4070,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3810,12 +4105,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3825,22 +4120,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3850,42 +4145,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3895,12 +4190,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3910,7 +4220,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3920,33 +4230,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3956,22 +4260,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3986,22 +4290,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4011,57 +4315,39 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_fi.ts b/src/qt/locale/bitcoin_fi.ts index 90755e5047..f430b1d69b 100644 --- a/src/qt/locale/bitcoin_fi.ts +++ b/src/qt/locale/bitcoin_fi.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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 kokeellista ohjelmistoa. Levitetään MIT/X11 ohjelmistolisenssin alaisuudessa. Tarkemmat tiedot löytyvät tiedostosta COPYING tai osoitteesta http://www.opensource.org/licenses/mit-license.php. @@ -305,7 +314,7 @@ Tämä tuote sisältää OpenSSL-projektin kehittämää ohjelmistoa OpenSSL-ty BitcoinGUI - + Sign &message... &Allekirjoita viesti... @@ -530,12 +539,12 @@ Tämä tuote sisältää OpenSSL-projektin kehittämää ohjelmistoa OpenSSL-ty - + New User Wizard - + &Voting @@ -575,7 +584,7 @@ Tämä tuote sisältää OpenSSL-projektin kehittämää ohjelmistoa OpenSSL-ty - + [testnet] [testnet] @@ -718,7 +727,7 @@ Osoite: %4 {1 - + %n second(s) @@ -780,7 +789,7 @@ Osoite: %4 {1 Ei osakkaana - + &File &Tiedosto @@ -800,7 +809,7 @@ Osoite: %4 {1 - + &Help &Apua @@ -3386,17 +3395,17 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. bitcoin-core - + Options: Asetukset: - + This help message Tämä ohjeviesti - + Specify pid file (default: gridcoind.pid) @@ -3406,7 +3415,7 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Määritä data-hakemisto - + Set database cache size in megabytes (default: 25) Aseta tietokannan välimuistin koko megatavuina (oletus: 25) @@ -3416,7 +3425,7 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Aseta tietokannan lokien maksimikoko megatavuissa (oletus: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3426,32 +3435,32 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Määritä yhteyden aikakataisu millisekunneissa (vakioasetus: 5000) - + Connect through socks proxy Yhdistä SOCKS-välityspalvelimen lävitse - + Select the version of socks proxy to use (4-5, default: 5) Valitse SOCKS-välityspalvelimen versio (4-5, oletus 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Käytä välityspalvelinta saavuttaaksesi tor:n piilotetut palvelut (oletus: sama kuin -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Kuuntele yhteyksiä portissa <port> (oletus: 15714 tai testiverkko: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Pidä enintään <n> yhteyttä verkkoihin (oletus: 125) - + Connect only to the specified node(s) Yhidstä ainoastaan määrättyihin noodeihin @@ -3461,62 +3470,246 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Yhdistä noodiin hakeaksesi naapurien osoitteet ja katkaise yhteys - + Specify your own public address Määritä julkinen osoitteesi - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Yhdistä vain noodeihin verkossa <net> (IPv4, IPv6 tai Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Hae oma IP osoite (vakioasetus: 1 kun kuuntelemassa ja ei -externalip) - Find peers using internet relay chat (default: 0) - Etsi vertaisiasi käyttäen Internet Relay Chatia (oletus: 1) {0)?} + Etsi vertaisiasi käyttäen Internet Relay Chatia (oletus: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Hyväksy yhteyksiä ulkopuolelta (vakioasetus: 1 jos -proxy tai -connect ei määritelty) - + Bind to given address. Use [host]:port notation for IPv6 Liitä annettuun osoitteeseen. Käytä [host]:port merkintää IPv6:lle - + Find peers using DNS lookup (default: 1) Etsi vertaisiasi käyttäen DNS-nimihakua (oletus: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synkronoi kello muiden noodien kanssa. Poista käytöstä, jos järjestelmäsi aika on tarkka esim. päivittää itsensä NTP-palvelimelta. (oletus: 1) - Sync checkpoints policy (default: strict) - Synkronoi tallennuspisteiden käytännöt (oletus: strict) + Synkronoi tallennuspisteiden käytännöt (oletus: strict) - + Threshold for disconnecting misbehaving peers (default: 100) Kynnysarvo aikakatkaisulle heikosti toimiville verkoille (oletus: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Sekuntien määrä, kuinka kauan uudelleenkytkeydytään verkkoihin (oletus: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Osoite + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Suurin vastaanottopuskuri yksittäiselle yhteydelle, <n>*1000 tavua (vakioasetus: 5000) @@ -3526,17 +3719,157 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Suurin lähetyspuskuri yksittäiselle yhteydelle, <n>*1000 tavua (vakioasetus: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Viesti + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Käytä UPnP:tä kuunneltavan portin avaamiseen (vakioasetus: 1 kun kuuntelemassa) @@ -3546,12 +3879,12 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Käytä UPnP:tä kuunneltavan portin avaamiseen (vakioasetus: 0) - + Fee per KB to add to transactions you send Rahansiirtopalkkio kilotavua kohden lähetettäviin rahansiirtoihisi - + When creating transactions, ignore inputs with value less than this (default: 0.01) Rahansiirtoja luodessa jätä huomioimatta syötteet joiden arvo on vähemmän kuin tämä (oletus: 0.01) @@ -3561,12 +3894,12 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Hyväksy merkkipohjaiset- ja JSON-RPC-käskyt - + Use the test network Käytä test -verkkoa - + Output extra debugging information. Implies all other -debug* options Tulosta lisäksi debug-tietoa, seuraa kaikkia muita -debug*-asetuksia @@ -3581,32 +3914,32 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Lisää debug-tulosteiden alkuun aikaleimat - + Send trace/debug info to debugger Lähetä debug-tuloste kehittäjille - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Kuuntele JSON-RPC-yhteyksiä portissa <port> (oletus: 15715 tai testiverkko: 25715) - + Allow JSON-RPC connections from specified IP address Salli JSON-RPC yhteydet tietystä ip-osoitteesta - + Send commands to node running on <ip> (default: 127.0.0.1) Lähetä käskyjä solmuun osoitteessa <ip> (oletus: 127.0.0.1) - + Require a confirmations for change (default: 0) Vaadi vaihtorahalle vahvistus (oletus: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Vahvista, että rahansiirtoskriptit käyttävät sääntöjen mukaisia PUSH-toimijoita (oletus: 1) @@ -3616,68 +3949,52 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Suorita komento kun olennainen varoitus on saatu (%s komennossa korvattu viestillä) - + Upgrade wallet to latest format Päivitä lompakko uusimpaan formaattiin - + Set key pool size to <n> (default: 100) Aseta avainpoolin koko arvoon <n> (oletus: 100) - + Rescan the block chain for missing wallet transactions Skannaa uudelleen lohkoketju lompakon puuttuvien rahasiirtojen vuoksi - + Attempt to recover private keys from a corrupt wallet.dat Yritetään palauttaa yksityisiä salausavaimia korruptoituneesta wallet.dat-tiedostosta - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3686,11 +4003,6 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3702,7 +4014,7 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. - + How many blocks to check at startup (default: 2500, 0 = all) Kuinka monta lohkoa tarkistetaan käynnistyksen yhteydessä (oletus: 2500, 0 = kaikki) @@ -3717,7 +4029,7 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Tuo lohkoja erillisestä blk000?.dat-tiedostosta - + Loading Network Averages... @@ -3727,22 +4039,22 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Asetan pienin lohkon koko tavuissa (vakioasetus: 0) @@ -3752,22 +4064,22 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Aseta lohkon maksimikoko tavuissa (oletus: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Aseta maksimikoko korkean prioriteetin/pienen siirtokulun maksutapahtumille tavuina (oletus: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL asetukset (katso Bitcoin Wikistä tarkemmat SSL ohjeet) - + Use OpenSSL (https) for JSON-RPC connections Käytä OpenSSL:ää (https) JSON-RPC-yhteyksille - + Server certificate file (default: server.cert) Palvelimen sertifikaatti-tiedosto (oletus: server.cert) @@ -3781,42 +4093,42 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Hyväksytyt salaustyypit (oletus: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' -paytxfee=<amount>: '%s' on virheellinen - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Varoitus: -paytxfee on asetettu erittäin korkeaksi! Tämä on maksukulu jonka tulet maksamaan kun lähetät siirron. - + Invalid amount for -mininput=<amount>: '%s' Epäkelpo määrä parametrille -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Lompakko %s on datahakemiston %s ulkopuolella. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Ei voida saavuttaa lukkoa datatiedostossa %s. Gridcoin-asiakasohjelma on ehkä jo käynnissä. - + Verifying database integrity... Tarkistetaan tietokannan eheyttä... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Virhe alustettaessa tietokantaympäristöä %s! Palauttaaksesi sen, TEE VARMUUSKOPIO HAKEMISTOSTA ja poista tämän jälkeen kaikki hakemiston tiedostot paitsi wallet.dat-tiedosto. @@ -3826,22 +4138,37 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Varoitus: wallet.dat-tiedosto on korruptoitunut, data pelastettu! Alkuperäinen wallet.dat on tallennettu nimellä wallet.{aikaleima}.bak kohteeseen %s; Jos saldosi tai rahansiirrot ovat väärät, sinun tulee palauttaa lompakko varmuuskopiosta. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat on korruptoitunut, pelastusyritys epäonnistui - + Unknown -socks proxy version requested: %i Tuntematon -socks proxy versio pyydetty: %i - + Invalid -tor address: '%s' Epäkelpo -tor-osoite: '%s' - + Cannot resolve -bind address: '%s' -bind osoitteen '%s' selvittäminen epäonnistui @@ -3851,19 +4178,18 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. -externalip osoitteen '%s' selvittäminen epäonnistui - + Invalid amount for -reservebalance=<amount> Epäkelpo määrä -reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - Ei voitu kirjata tallennuspistettä, väärä checkpointkey? + Ei voitu kirjata tallennuspistettä, väärä checkpointkey? - + Error loading blkindex.dat Virhe ladattaessa blkindex.dat-tiedostoa @@ -3873,22 +4199,22 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Virhe ladattaessa wallet.dat-tiedostoa: Lompakko vioittunut - + 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-tiedostoa! Kaikki avaimet luettiin oikein, mutta rahansiirtodata tai osoitekirjan kentät voivat olla puuttuvat tai väärät. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Virhe ladattaessa wallet.dat-tiedostoa: Lompakko tarvitsee uudemman version Gridcoin-asiakasohjelmasta - + Wallet needed to be rewritten: restart Gridcoin to complete Lompakko on kirjoitettava uudelleen: käynnistä Gridcoin-asiakasohjelma uudelleen päättääksesi toiminnon - + Error loading wallet.dat Virhe ladattaessa wallet.dat-tiedostoa @@ -3903,22 +4229,22 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Tuodaan esilatausohjelma lohkoketjun datatiedostolle. - + Error: could not start node Virhe: Ei voitu käynnistää noodia - + Unable to bind to %s on this computer. Gridcoin is probably already running. Ei voitu liittää %s tällä tietokoneella. Gridcoin-asiakasohjelma on jo ehkä päällä. - + Unable to bind to %s on this computer (bind returned error %d, %s) Kytkeytyminen %s tällä tietokonella ei onnistu (kytkeytyminen palautti virheen %d, %s) - + Error: Wallet locked, unable to create transaction Virhe: Lompakko lukittu, rahansiirtoa ei voida luoda @@ -3928,120 +4254,114 @@ Tämä tarkoittaa, että ainakin %2 rahansiirtopalkkio tarvitaan. Virhe: Lompakko avattu vain osakkuutta varten, rahansiirtoja ei voida luoda. - + 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ä rahansiirto tarvitsee rahansiirtopalkkion, kooltaan %s, kokonsa, monimutkaisuutensa tai aikaisemmin saatujen varojen käytön takia. - + Error: Transaction creation failed Virhe: Rahansiirron luonti epäonnistui - + Sending... Lähetetään... - + 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: Rahansiirto on evätty. Tämä voi tapahtua jos joitakin kolikoistasi lompakossasi on jo käytetty, tai jos olet käyttänyt wallet.dat-tiedoston kopiota ja rahat olivat käytetyt kopiossa, mutta ei merkitty käytetyksi tässä. - + Invalid amount Virheellinen määrä - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Varoitus: Tarkista, että tietokoneesi aika ja päivämäärä ovat oikeassa! Jos kellosi on väärässä, Gridcoin ei toimi oikein. - Warning: This version is obsolete, upgrade required! - Varoitus: Tämä versio on vanhentunut, päivitys tarpeen! + Varoitus: Tämä versio on vanhentunut, päivitys tarpeen! - - WARNING: synchronized checkpoint violation detected, but skipped! - VAROITUS: synkronoidun tallennuspisteen rikkomista havaittu, mutta ohitettu! + VAROITUS: synkronoidun tallennuspisteen rikkomista havaittu, mutta ohitettu! - - + Warning: Disk space is low! Varoitus: Kiintolevytila on vähissä! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - VAROITUS: Epäkelpo tarkistuspiste löydetty! Ilmoitetut rahansiirrot eivät välttämättä pidä paikkaansa! Sinun täytyy päivittää asiakasohjelma, tai ilmoittaa kehittäjille ongelmasta. + VAROITUS: Epäkelpo tarkistuspiste löydetty! Ilmoitetut rahansiirrot eivät välttämättä pidä paikkaansa! Sinun täytyy päivittää asiakasohjelma, tai ilmoittaa kehittäjille ongelmasta. - + Run in the background as a daemon and accept commands Aja taustalla daemonina ja hyväksy komennot - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Suorita käsky kun lompakossa rahansiirto muuttuu (%s cmd on vaihdettu TxID kanssa) - + Block creation options: Lohkon luonnin asetukset: - + Failed to listen on any port. Use -listen=0 if you want this. Ei onnistuttu kuuntelemaan missään portissa. Käytä -listen=0 jos haluat tätä. - + Specify wallet file (within data directory) Aseta lompakkotiedosto (data-hakemiston sisällä) - + Send trace/debug info to console instead of debug.log file Lähetä jäljitys/debug-tieto konsoliin, debug.log-tiedoston sijaan - + Shrink debug.log file on client startup (default: 1 when no -debug) Pienennä debug.log tiedosto käynnistyksen yhteydessä (vakioasetus: 1 kun ei -debug) - + Username for JSON-RPC connections Käyttäjätunnus JSON-RPC-yhteyksille - + Password for JSON-RPC connections Salasana JSON-RPC-yhteyksille - + 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 vaihdettu block hashin kanssa) - + Allow DNS lookups for -addnode, -seednode and -connect Salli DNS kyselyt -addnode, -seednode ja -connect yhteydessä - + To use the %s option Käytä %s optiota - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4056,7 +4376,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Virhe ilmennyt asetettaessa RPC-porttia %u IPv6:n kuuntelemiseksi, palataan takaisin IPv4:ään %s @@ -4075,27 +4395,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Jos tiedostoa ei ole, niin luo se ainoastaan omistajan kirjoitusoikeuksin. - + Gridcoin version Gridcoinin versio - + Usage: Käyttö: - + Send command to -server or gridcoind - + List commands Lista komennoista - + Get help for a command Hanki apua käskyyn @@ -4105,42 +4425,42 @@ Jos tiedostoa ei ole, niin luo se ainoastaan omistajan kirjoitusoikeuksin.Gridcoin - + Loading addresses... Ladataan osoitteita... - + Invalid -proxy address: '%s' Virheellinen proxy-osoite '%s' - + Unknown network specified in -onlynet: '%s' Tuntematon verkko -onlynet parametrina: '%s' - + Insufficient funds Lompakon saldo ei riitä - + Loading block index... Ladataan lohkoindeksiä... - + Add a node to connect to and attempt to keep the connection open Linää solmu mihin liittyä pitääksesi yhteyden auki - + Loading wallet... Ladataan lompakkoa... - + Cannot downgrade wallet Et voi päivittää lompakkoasi vanhempaan versioon @@ -4150,17 +4470,17 @@ Jos tiedostoa ei ole, niin luo se ainoastaan omistajan kirjoitusoikeuksin.Oletusosoitetta ei voi kirjoittaa - + Rescanning... Skannataan uudelleen... - + Done loading Lataus on valmis - + Error Virhe diff --git a/src/qt/locale/bitcoin_fr.ts b/src/qt/locale/bitcoin_fr.ts index 7674382d87..ae65f0b56b 100644 --- a/src/qt/locale/bitcoin_fr.ts +++ b/src/qt/locale/bitcoin_fr.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Ce logiciel est expérimental. Distribué sous licence logicielle MIT/X11, voir le fichier COPYING joint ou http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Ce produit comprend des logiciels développés par le projet OpenSSL afin d&apos BitcoinGUI - + Sign &message... Signer un &message... @@ -420,7 +429,7 @@ Ce produit comprend des logiciels développés par le projet OpenSSL afin d&apos Chiffrer ou déchiffrer le portefeuille - + Date: %1 Amount: %2 Type: %3 @@ -435,7 +444,7 @@ Adresse : %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -449,7 +458,7 @@ Adresse : %4 Sauvegarder le &porte-monnaie... - + &Change Passphrase... &Changer la phrase de passe... @@ -586,12 +595,12 @@ Adresse : %4 - + New User Wizard Assistant nouvel utilisateur - + &Voting &Votes @@ -647,7 +656,7 @@ Adresse : %4 - + [testnet] [testnet] @@ -800,7 +809,7 @@ Adresse : %4 - + %n second(s) %n seconde @@ -864,7 +873,7 @@ Adresse : %4 Pas de staking - + &File &Fichier @@ -884,7 +893,7 @@ Adresse : %4 &Avancé - + &Help &Aide @@ -3499,12 +3508,12 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires. bitcoin-core - + Options: Options : - + This help message Ce message d'aide @@ -3513,7 +3522,7 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Définir le fichier de configuration (défaut: gridcoin.conf) - + Specify pid file (default: gridcoind.pid) Définir fichier pid (défaut: gridcoind.pid) @@ -3523,7 +3532,7 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Spécifier le répertoire de données - + Set database cache size in megabytes (default: 25) Définir la taille du tampon de base de données en mégaoctets (par défaut : 25) @@ -3533,7 +3542,7 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Définir la taille du journal de base de données en mégaoctets (par défaut : 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3543,32 +3552,32 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Spécifier le délai d'expiration de la connexion en millisecondes (par défaut: 5000) - + Connect through socks proxy Se connecter à travers un proxy socks - + Select the version of socks proxy to use (4-5, default: 5) Sélectionner la version du proxy socks à utiliser (4-5, par défaut: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Utiliser un proxy pour atteindre les services cachés (par défaut: équivalent à -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Écouter les connexions sur le <port> (par défault: 32749 ou testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Garder au plus <n> connexions avec les pairs (par défaut : 125) - + Connect only to the specified node(s) Ne se connecter qu'au(x) nœud(s) spécifié(s) @@ -3578,62 +3587,246 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Se connecter à un nœud pour obtenir des adresses de pairs puis se déconnecter - + Specify your own public address Spécifier votre propre adresse publique - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Se connecter uniquement aux nœuds du réseau <net> (IPv4, IPv6 ou Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Découvrir sa propre adresse IP (par défaut: 1 lors de l'écoute et si aucun -externalip) - Find peers using internet relay chat (default: 0) - Trouvez des pairs utilisant DNS lookup (par défault: 1) {0)?} + Trouvez des pairs utilisant DNS lookup (par défault: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Accepter les connexions entrantes (par défaut : 1 si aucun -proxy ou -connect ) - + Bind to given address. Use [host]:port notation for IPv6 Connexion à l'adresse fournie. Utiliser la notation [machine]:port pour les adresses IPv6 - + Find peers using DNS lookup (default: 1) Trouvez des peers utilisant DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synchronisation de l'horloge avec d'autres noeuds. Désactiver si votre serveur est déjà synchronisé avec le protocole NTP (défaut: 1) - Sync checkpoints policy (default: strict) - Politique de synchronisation des checkpoints (default: strict) + Politique de synchronisation des checkpoints (default: strict) - + Threshold for disconnecting misbehaving peers (default: 100) Seuil de déconnexion des pairs de mauvaise qualité (par défaut : 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Délai en secondes de refus de reconnexion aux pairs de mauvaise qualité (par défaut : 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresse + + + + Alert: + + + + + Answer + + + + + Answers + Réponses + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Tampon maximal de réception par « -connection » <n>*1 000 octets (par défaut : 5 000) @@ -3643,17 +3836,157 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Tampon maximal d'envoi par « -connection », <n>*1 000 octets (par défaut : 1 000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Message + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + Question + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + Type de voix + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + Titre + + + + URL + URL + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Utiliser l'UPnP pour rediriger le port d'écoute (par défaut: 1 lors de l'écoute) @@ -3663,12 +3996,12 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Utiliser l'UPnP pour rediriger le port d'écoute (par défaut: 0) - + Fee per KB to add to transactions you send Frais par KB à ajouter à vos transactions sortantes - + When creating transactions, ignore inputs with value less than this (default: 0.01) Lors de la création de transactions, ignorer les entrées dont la valeur sont inférieures (défaut: 0.01) @@ -3678,12 +4011,12 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Accepter les commandes JSON-RPC et en ligne de commande - + Use the test network Utiliser le réseau de test - + Output extra debugging information. Implies all other -debug* options Voir les autres informations de débogage. Implique toutes les autres options -debug* @@ -3698,32 +4031,32 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Horodater les messages de debug - + Send trace/debug info to debugger Envoyer les informations de débogage/trace à la console au lieu du fichier debug.log - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Écouter les connexions JSON-RPC sur le <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Autoriser les connexions JSON-RPC depuis l'adresse IP spécifiée - + Send commands to node running on <ip> (default: 127.0.0.1) Envoyer des commandes au nœud fonctionnant sur <ip> (par défaut : 127.0.0.1) - + Require a confirmations for change (default: 0) Nécessite a confirmations pour modification (par défaut: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Force les scripts de transaction à utiliser des opérateurs PUSH canoniques (défaut: 1) @@ -3733,68 +4066,52 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Exécute une commande lorsqu'une alerte correspondante est reçue (%s dans la commande est remplacé par message) - + Upgrade wallet to latest format Mettre à niveau le portefeuille vers le format le plus récent - + Set key pool size to <n> (default: 100) Régler la taille de la réserve de clefs sur <n> (par défaut : 100) - + Rescan the block chain for missing wallet transactions Réanalyser la chaîne de blocs pour les transactions de portefeuille manquantes - + Attempt to recover private keys from a corrupt wallet.dat Tenter de récupérer les clefs privées d'un wallet.dat corrompu - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3803,11 +4120,6 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3819,7 +4131,7 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires. - + How many blocks to check at startup (default: 2500, 0 = all) Nombre de blocs à vérifier lors du démarrage (par défaut: 2500, 0 = tous) @@ -3834,7 +4146,7 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Importe les blocs d'un fichier externe blk000?.dat - + Loading Network Averages... @@ -3844,22 +4156,22 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Définir la taille minimale de bloc en octets (par défaut : 0) @@ -3869,22 +4181,22 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Fixer la taille maximale d'un block en bytes (default: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Fixer la taille maximale d'un bloc en octets (par défault: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Options SSL : (voir le Wiki de Bitcoin pour les instructions de configuration du SSL) - + Use OpenSSL (https) for JSON-RPC connections Utiliser OpenSSL (https) pour les connexions JSON-RPC - + Server certificate file (default: server.cert) Fichier de certificat serveur (par défaut : server.cert) @@ -3898,42 +4210,42 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Algorithmes de chiffrements acceptés (par défaut: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Montant invalide pour -paytxfee=<montant> : « %s » - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Attention : -paytxfee est réglée sur un montant très élevé ! Il s'agit des frais de transaction que vous payerez si vous envoyez une transaction. - + Invalid amount for -mininput=<amount>: '%s' Montant invalide pour -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. Initialisation du "sanity-check" échoué. Arrêt de Gridcoin. - + Wallet %s resides outside data directory %s. Le portefeuille %s est situé en dehors du répertoire de données %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Echec lors de la tentative de verrou des données du répertoire %s. L'application Gridcoin est probablement déjà en cours d'exécution. - + Verifying database integrity... Vérification d'intégrité de la base de données... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Erreur lors de l'initialisation de l'environnement de base de données %s! Afin de procéder à la récupération, une SAUVEGARDE DE CE REPERTOIRE est nécessaire, puis, supprimez le contenu entier de ce répertoire, à l'exception du fichier wallet.dat. @@ -3943,22 +4255,37 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Avertissement : wallet.dat corrompu, données récupérées ! Le fichier wallet.dat original a été enregistré en tant que wallet.{timestamp}.bak dans %s ; si votre solde ou transactions sont incorrects vous devriez effectuer une restauration depuis une sauvegarde. - + + Vote + Voter + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrompu, la récupération a échoué - + Unknown -socks proxy version requested: %i Version inconnue de serveur mandataire -socks demandée : %i - + Invalid -tor address: '%s' Adresse -tor invalide: '%s' - + Cannot resolve -bind address: '%s' Impossible de résoudre l'adresse -bind : « %s » @@ -3968,19 +4295,18 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Impossible de résoudre l'adresse -externalip : « %s » - + Invalid amount for -reservebalance=<amount> Montant incorrect pour -reservebalance=<montant> - Unable to sign checkpoint, wrong checkpointkey? - Impossible de signer le checkpoint, mauvaise clef de checkpoint? + Impossible de signer le checkpoint, mauvaise clef de checkpoint? - + Error loading blkindex.dat Erreur de chargement du fichier blkindex.dat @@ -3990,22 +4316,22 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Erreur lors du chargement de wallet.dat: portefeuille corrompu - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Avertissement : une erreur est survenue lors de la lecture de wallet.dat ! Toutes les clefs ont été lues correctement mais les données de transaction ou les entrées du carnet d'adresses sont peut-être incorrectes ou manquantes. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Erreur de chargement du fichier wallet.dat: le portefeuille nécessite une version plus récente de l'application Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Le portefeuille nécessite d'être réédité : Merci de relancer l'application Gridcoin - + Error loading wallet.dat Erreur lors du chargement du fichier wallet.dat @@ -4020,22 +4346,22 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Import en masse du fichier de chaîne bloc. - + Error: could not start node Erreur: Impossible de démarrer le noeud - + Unable to bind to %s on this computer. Gridcoin is probably already running. Connexion au port %s impossible. L'application Gridcoin est probablement déjà en cours d'exécution. - + Unable to bind to %s on this computer (bind returned error %d, %s) Impossible de se lier à %s sur cet ordinateur (bind a retourné l'erreur %d, %s) - + Error: Wallet locked, unable to create transaction Erreur: Portefeuille verrouillé, impossible d'effectuer cette transaction @@ -4045,120 +4371,114 @@ Cela implique que des frais à hauteur d'au moins %2 seront nécessaires.Erreur: Portefeuille déverrouillé uniquement pour "staking" , impossible d'effectuer cette transaction. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Erreur: Cette transaction requière des frais minimum de %s a cause de son montant, de sa complexité ou de l'utilisation de fonds récemment reçus - + Error: Transaction creation failed Erreur: La création de cette transaction a échoué - + Sending... Envoi... - + 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. Erreur: La transaction a été rejetée. Cela peut se produire si une quantité d'argent de votre portefeuille a déjà été dépensée, comme dans le cas où une copie du fichier wallet.dat aurait été utilisée afin d'effectuer des dépenses, à la place du fichier courant. - + Invalid amount Montant invalide - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Avertissement: Veuillez vérifier la date et l'heure de votre ordinateur. Gridcoin ne pourra pas fonctionner correctement si l'horloge est réglée de façon incorrecte. - Warning: This version is obsolete, upgrade required! - Avertissement : cette version est obsolète, une mise à niveau est nécessaire ! + Avertissement : cette version est obsolète, une mise à niveau est nécessaire ! - - WARNING: synchronized checkpoint violation detected, but skipped! - ATTENTION : violation du checkpoint de synchronisation, mais ignorée! + ATTENTION : violation du checkpoint de synchronisation, mais ignorée! - - + Warning: Disk space is low! Avertissement: Espace disque faible! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - AVERTISSEMENT: point de contrôle invalide! Les transactions affichées peuvent être incorrectes! Il est peut-être nécessaire d'effectuer une mise à jour, ou d'avertir les développeurs du projet. + AVERTISSEMENT: point de contrôle invalide! Les transactions affichées peuvent être incorrectes! Il est peut-être nécessaire d'effectuer une mise à jour, ou d'avertir les développeurs du projet. - + Run in the background as a daemon and accept commands Fonctionner en arrière-plan en tant que démon et accepter les commandes - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Exécuter la commande lorsqu'une transaction de porte-monnaie change (%s dans la commande est remplacée par TxID) - + Block creation options: Options de création de blocs : - + Failed to listen on any port. Use -listen=0 if you want this. Échec d'écoute sur un port quelconque. Utiliser -listen=0 si vous le voulez. - + Specify wallet file (within data directory) Spécifiez le fichier de porte-monnaie (dans le répertoire de données) - + Send trace/debug info to console instead of debug.log file Envoyer les infos de débogage/trace à la console au lieu du fichier debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Réduire le fichier debug.log lors du démarrage du client (par défaut : 1 sans -debug) - + Username for JSON-RPC connections Nom d'utilisateur pour les connexions JSON-RPC - + Password for JSON-RPC connections Mot de passe pour les connexions JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Exécuter la commande lorsque le meilleur bloc change (%s dans cmd est remplacé par le hachage du bloc) - + Allow DNS lookups for -addnode, -seednode and -connect Autoriser les recherches DNS pour -addnode, -seednode et -connect - + To use the %s option Pour utiliser l'option %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4183,7 +4503,7 @@ par exemple: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Une erreur est survenue lors du réglage du port RPC %u pour écouter sur IPv6, retour à IPv4 : %s @@ -4202,27 +4522,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Si le fichier n'existe pas, créez-le avec les droits de lecture seule accordés au propriétaire. - + Gridcoin version Version Gridcoin - + Usage: Utilisation: - + Send command to -server or gridcoind Envoyer une commande à -server ou gridcoind - + List commands Lister les commandes - + Get help for a command Obtenir de l’aide pour une commande @@ -4232,42 +4552,42 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Gridcoin - + Loading addresses... Chargement des adresses… - + Invalid -proxy address: '%s' Adresse -proxy invalide : « %s » - + Unknown network specified in -onlynet: '%s' Réseau inconnu spécifié dans -onlynet : « %s » - + Insufficient funds Fonds insuffisants - + Loading block index... Chargement de l’index des blocs… - + Add a node to connect to and attempt to keep the connection open Ajouter un nœud auquel se connecter et tenter de garder la connexion ouverte - + Loading wallet... Chargement du porte-monnaie… - + Cannot downgrade wallet Impossible de revenir à une version inférieure du porte-monnaie @@ -4277,17 +4597,17 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Impossible d'écrire l'adresse par défaut - + Rescanning... Nouvelle analyse… - + Done loading Chargement terminé - + Error Erreur diff --git a/src/qt/locale/bitcoin_fr_CA.ts b/src/qt/locale/bitcoin_fr_CA.ts index 4ad3a10cae..579184de6f 100644 --- a/src/qt/locale/bitcoin_fr_CA.ts +++ b/src/qt/locale/bitcoin_fr_CA.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Ce logiciel est expérimental. Distribué sous licence logicielle MIT/X11, voir le fichier COPYING joint ou http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Wallet Portefeuille @@ -446,12 +455,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -594,7 +603,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + &Help &Aide @@ -739,7 +748,7 @@ Adresse : %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -761,7 +770,7 @@ Adresse : %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. L'adresse du portefeuille Gridcoin n'as pas pu être correctement identifiée, car invalide ou malformée. @@ -814,7 +823,7 @@ Adresse : %4 - + %n second(s) @@ -3376,12 +3385,12 @@ Les montants inférieurs à 0.546 fois les frais minimum de relais apparaissent bitcoin-core - + To use the %s option Pour utiliser l'option %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3396,27 +3405,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Error Erreur - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Une erreur est survenue lors du réglage du port RPC %u pour écouter sur IPv6, retour à IPv4 : %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3426,13 +3425,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo Une erreur est survenue lors du réglage du port RPC %u pour écouter sur IPv4 : %s - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3441,27 +3434,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Si le fichier n'existe pas, créez-le avec les droits de lecture seule accordés au propriétaire. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3470,11 +3463,6 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3491,7 +3479,7 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Version Gridcoin - + Loading Network Averages... @@ -3501,22 +3489,22 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3527,46 +3515,372 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Utilisation : - + Send command to -server or gridcoind - + List commands Lister les commandes - + Get help for a command Obtenir de l’aide pour une commande + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresse + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Message + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: Options : - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message Ce message d'aide - + Specify pid file (default: gridcoind.pid) @@ -3581,7 +3895,7 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Spécifiez le fichier de portefeuille (dans le répertoire de données) - + Set database cache size in megabytes (default: 25) Définir la taille du tampon en mégaoctets (par défaut : 25) @@ -3591,47 +3905,47 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Définir la taille du tampon en mégaoctets (par défaut : 100) - + Specify connection timeout in milliseconds (default: 5000) Spécifier le délai d'expiration de la connexion en millisecondes (par défaut : 5 000) - + Connect through socks proxy Se connecter à travers un proxy socks - + Select the version of socks proxy to use (4-5, default: 5) Sélectionner la version du proxy socks à utiliser (4-5, par défaut: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Utiliser un proxy pour atteindre les services cachés (défaut: équivalent à -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect Autoriser les recherches DNS pour -addnode, -seednode et -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) Écouter les connexions sur le <port> (default: 15714 or testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Garder au plus <n> connexions avec les pairs (par défaut : 125) - + Add a node to connect to and attempt to keep the connection open Ajouter un nœud auquel se connecter et tenter de garder la connexion ouverte - + Connect only to the specified node(s) Ne se connecter qu'au(x) nœud(s) spécifié(s) @@ -3641,62 +3955,60 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Se connecter à un nœud pour obtenir des adresses de pairs puis se déconnecter - + Specify your own public address Spécifier votre propre adresse publique - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Se connecter uniquement aux nœuds du réseau <net> (IPv4, IPv6 ou Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Découvrir sa propre adresse IP (par défaut : 1 lors de l'écoute et si aucun -externalip) - Find peers using internet relay chat (default: 0) - Find peers using internet relay chat (default: 1) {0)?} + Find peers using internet relay chat (default: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Accepter les connexions entrantes (par défaut : 1 si aucun -proxy ou -connect ) - + Bind to given address. Use [host]:port notation for IPv6 Connexion à l'adresse fournie. Utiliser la notation [machine]:port pour les adresses IPv6 - + Find peers using DNS lookup (default: 1) Trouvez des peers utilisant DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synchronisation de l'horloge avec d'autres noeuds. Désactiver si votre serveur est déjà synchronisé avec le protocole NTP (défaut: 1) - Sync checkpoints policy (default: strict) - Politique de synchronisation des checkpoints (default: strict) + Politique de synchronisation des checkpoints (default: strict) - + Threshold for disconnecting misbehaving peers (default: 100) Seuil de déconnexion des pairs de mauvaise qualité (par défaut : 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Délai en secondes de refus de reconnexion aux pairs de mauvaise qualité (par défaut : 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Tampon maximal de réception par « -connection » <n>*1 000 octets (par défaut : 5 000) @@ -3706,7 +4018,7 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Tampon maximal d'envoi par « -connection », <n>*1 000 octets (par défaut : 1 000) - + Use UPnP to map the listening port (default: 1 when listening) Utiliser l'UPnP pour rediriger le port d'écoute (par défaut : 1 lors de l'écoute) @@ -3716,12 +4028,12 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Utiliser l'UPnP pour rediriger le port d'écoute (par défaut : 0) - + Fee per KB to add to transactions you send Frais par KB à ajouter à vos transactions sortantes - + When creating transactions, ignore inputs with value less than this (default: 0.01) Lors de la création de transactions, ignore les entrées dont la valeur sont inférieures (défaut: 0.01) @@ -3731,17 +4043,17 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Accepter les commandes de JSON-RPC et de la ligne de commande - + Run in the background as a daemon and accept commands Fonctionner en arrière-plan en tant que démon et accepter les commandes - + Use the test network Utiliser le réseau de test - + Output extra debugging information. Implies all other -debug* options Voir les autres informations de débogage. Implique toutes les autres options -debug* @@ -3756,12 +4068,12 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Horodater les messages de debug - + Shrink debug.log file on client startup (default: 1 when no -debug) Réduire le fichier debug.log lors du démarrage du client (par défaut : 1 lorsque -debug n'est pas présent) - + Send trace/debug info to console instead of debug.log file Envoyer les informations de débogage/trace à la console au lieu du fichier debug.log @@ -3771,32 +4083,32 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Envoyer les informations de débogage/trace à la console au lieu du fichier debug.log - + Username for JSON-RPC connections Nom d'utilisateur pour les connexions JSON-RPC - + Password for JSON-RPC connections Mot de passe pour les connexions JSON-RPC - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Écouter les connexions JSON-RPC sur le <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Autoriser les connexions JSON-RPC depuis l'adresse IP spécifiée - + Send commands to node running on <ip> (default: 127.0.0.1) Envoyer des commandes au nœud fonctionnant sur <ip> (par défaut : 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) Exécuter la commande lorsque le meilleur bloc change (%s dans cmd est remplacé par le hachage du bloc) @@ -3806,12 +4118,12 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Exécuter la commande lorsqu'une transaction de portefeuille change (%s dans la commande est remplacée par TxID) - + Require a confirmations for change (default: 0) Nécessite a confirmations pour modification (défaut: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Force les scripts de transaction à utiliser des opérateurs PUSH canoniques (défaut: 1) @@ -3821,27 +4133,27 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Exécute une commande lorsqu'une alerte correspondante est reçue (%s dans la commande est remplacé par message) - + Upgrade wallet to latest format Mettre à niveau le portefeuille vers le format le plus récent - + Set key pool size to <n> (default: 100) Régler la taille de la réserve de clefs sur <n> (par défaut : 100) - + Rescan the block chain for missing wallet transactions Réanalyser la chaîne de blocs pour les transactions de portefeuille manquantes - + Attempt to recover private keys from a corrupt wallet.dat Tenter de récupérer les clefs privées d'un wallet.dat corrompu - + How many blocks to check at startup (default: 2500, 0 = all) Nombre de blocs à vérifier loes du démarrage (défaut: 2500, 0 = tous) @@ -3856,12 +4168,12 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Importe les blocs d'un fichier externe blk000?.dat - + Block creation options: Options de création de bloc : - + Set minimum block size in bytes (default: 0) Définir la taille minimale de bloc en octets (par défaut : 0) @@ -3871,22 +4183,22 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Fixer la taille maximale d'un block en bytes (default: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Fixer la taille maximale d'un block en bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Options SSL : (voir le Wiki de Bitcoin pour les instructions de configuration du SSL) - + Use OpenSSL (https) for JSON-RPC connections Utiliser OpenSSL (https) pour les connexions JSON-RPC - + Server certificate file (default: server.cert) Fichier de certificat serveur (par défaut : server.cert) @@ -3900,42 +4212,42 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Algorithmes de chiffrements acceptés (défaut: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Montant invalide pour -paytxfee=<montant> : « %s » - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Attention : -paytxfee est réglée sur un montant très élevé ! Il s'agit des frais de transaction que vous payerez si vous envoyez une transaction. - + Invalid amount for -mininput=<amount>: '%s' Montant invalide pour -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Le portefeuille %s réside en dehors répertoire de données %s - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Echec lors de la tentative de verrouillage des données du répertoire %s. L'application Gridcoin est probablement déjà en cours d'exécution - + Verifying database integrity... Vérification d'intégrité de la base de données... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Erreur lors de l'initialisation de l'environnement de base de données %s! Afin de procéder à la récupération, une SAUVEGARDE DE CE REPERTOIRE est nécessaire, puis, supprimez le contenu entier de ce répertoire, à l'exception du fichier wallet.dat @@ -3945,12 +4257,17 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Avertissement : wallet.dat corrompu, données récupérées ! Le fichier wallet.dat original a été enregistré en tant que wallet.{timestamp}.bak dans %s ; si votre solde ou transactions sont incorrects vous devriez effectuer une restauration depuis une sauvegarde. - + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrompu, la récupération a échoué - + Unknown -socks proxy version requested: %i Version inconnue de serveur mandataire -socks demandée : %i @@ -3960,7 +4277,7 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Réseau inconnu spécifié sur -onlynet : « %s » - + Invalid -proxy address: '%s' Adresse -proxy invalide : « %s » @@ -3970,74 +4287,83 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Adresse -tor invalide: '%s' - + Cannot resolve -bind address: '%s' Impossible de résoudre l'adresse -bind : « %s » - + Failed to listen on any port. Use -listen=0 if you want this. Échec de l'écoute sur un port quelconque. Utilisez -listen=0 si vous voulez ceci. - + Cannot resolve -externalip address: '%s' Impossible de résoudre l'adresse -externalip : « %s » - + Invalid amount for -reservebalance=<amount> Montant incorrect pour -reservebalance=<montant> - Unable to sign checkpoint, wrong checkpointkey? - Impossible de "signer" le checkpoint, mauvaise clef de checkpoint? + Impossible de "signer" le checkpoint, mauvaise clef de checkpoint? - + Loading block index... Chargement de l’index des blocs… - + Error loading blkindex.dat Erreur de chargement du fichier blkindex.dat - + Loading wallet... Chargement du portefeuille… - + Error loading wallet.dat: Wallet corrupted Erreur lors du chargement de wallet.dat : portefeuille corrompu - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Avertissement : une erreur est survenue lors de la lecture de wallet.dat ! Toutes les clefs ont été lues correctement mais les données de transaction ou les entrées du carnet d'adresses sont peut-être incorrectes ou manquantes. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Erreur de chargement du fichier wallet.dat: le portefeuille nécessite une version plus récente de l'application Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete le portefeuille nécessite d'être réédité : Merci de relancer l'application Gridcoin - + Error loading wallet.dat Erreur lors du chargement de wallet.dat - + Cannot downgrade wallet Impossible de revenir à une version inférieure du portefeuille @@ -4047,12 +4373,12 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Impossible d'écrire l'adresse par défaut - + Rescanning... Nouvelle analyse… - + Importing blockchain data file. Importation du fichier blockchain @@ -4062,32 +4388,32 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Importation du fichier blockchain - + Loading addresses... Chargement des adresses… - + Error: could not start node Erreur: Impossible de démarrer le noeud - + Done loading Chargement terminé - + Unable to bind to %s on this computer. Gridcoin is probably already running. Connexion au port %s impossible. L'application Gridcoin est probablement déjà en cours d'exécution - + Unable to bind to %s on this computer (bind returned error %d, %s) Impossible de se lier à %s sur cet ordinateur (bind a retourné l'erreur %d, %s) - + Error: Wallet locked, unable to create transaction Erreur: Portefeuille verrouillé, impossible d'effectuer cette transaction @@ -4097,62 +4423,56 @@ Si le fichier n'existe pas, créez-le avec les droits de lecture seule acco Erreur: Portefeuille déverrouillé uniquement pour "stacking" , impossible d'effectuer cette transaction - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Erreur: Cette transaction requière des frais minimum de %s a cause de son montant, de sa complexité ou de l'utilisation de fonds récemment reçus. - + Error: Transaction creation failed Erreur: La création de cette transaction à échouée - + Sending... Envoi... - + 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. Erreur: La transaction a été rejetée. Cela peut se produire si une quantité d'argent de votre portefeuille a déjà été dépensée, comme dans le cas où une copie du fichier wallet.dat aurait été utilisée afin d'effectuer des dépenses, à la place du fichier courant. - + Invalid amount Montant invalide - + Insufficient funds Fonds insuffisants - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Avertissement: Veuillez vérifier la date et l'heure de votre ordinateur. Gridcoin ne pourra pas fonctionner correctement si l'horloge est réglée de façon incorrecte - Warning: This version is obsolete, upgrade required! - Avertissement : cette version est obsolète, une mise à niveau est nécessaire ! + Avertissement : cette version est obsolète, une mise à niveau est nécessaire ! - - WARNING: synchronized checkpoint violation detected, but skipped! - ATTENTION : violation du checkpoint de synchronisation, mais ignorée! + ATTENTION : violation du checkpoint de synchronisation, mais ignorée! - - + Warning: Disk space is low! Avertissement: Espace disque faible! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - AVERTISSEMENT: point de contrôle invalide! Les transactions affichées peuvent être incorrectes! Il est peut-être nécessaire d'effectuer une mise à jour, ou d'avertir les développeurs du projet. + AVERTISSEMENT: point de contrôle invalide! Les transactions affichées peuvent être incorrectes! Il est peut-être nécessaire d'effectuer une mise à jour, ou d'avertir les développeurs du projet. diff --git a/src/qt/locale/bitcoin_gl.ts b/src/qt/locale/bitcoin_gl.ts index 109d3f5a8e..d8ecf4ba4b 100644 --- a/src/qt/locale/bitcoin_gl.ts +++ b/src/qt/locale/bitcoin_gl.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Isto é software experimental. Distribuído baixo a licencia de software MIT/X11, véxase o arquivo que acompaña COPYING ou http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op BitcoinGUI - + Gridcoin Gridcoin @@ -401,12 +410,12 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op - + New User Wizard - + &Voting @@ -491,7 +500,7 @@ Este produto inclúe software desenvolvido polo OpenSSL Project para o uso no Op - + [testnet] [testnet] @@ -596,7 +605,7 @@ Dirección: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -618,7 +627,7 @@ Dirección: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -677,7 +686,7 @@ Dirección: %4 - + %n second(s) @@ -729,7 +738,7 @@ Dirección: %4 Non "staking" - + &Overview &Vista xeral @@ -832,7 +841,7 @@ Dirección: %4 Axus&tes - + &Help A&xuda @@ -3366,52 +3375,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opcións: - + Specify data directory Especificar directorio de datos - + Connect to a node to retrieve peer addresses, and disconnect Conectar a nodo para recuperar direccións de pares, e desconectar - + Specify your own public address Especificar a túa propia dirección pública - + Accept command line and JSON-RPC commands Aceptar liña de comandos e comandos JSON-RPC - + Run in the background as a daemon and accept commands Executar no fondo como un demo e aceptar comandos - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Executar comando cando unha transacción do moedeiro cambia (%s no comando é substituído por TxID) - + Block creation options: Opcións de creación de bloque: - + Failed to listen on any port. Use -listen=0 if you want this. Fallou escoitar en calquera porto. Emprega -listen=0 se queres esto. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3421,72 +3430,72 @@ This label turns red, if the priority is smaller than "medium". Especificar arquivo do moedeiro (dentro do directorio de datos) - + Send trace/debug info to console instead of debug.log file Enviar traza/información de depuración á consola en lugar de ao arquivo debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Recortar o arquivo debug.log ao arrancar o cliente (por defecto: 1 cando no-debug) - + Username for JSON-RPC connections Nome de usuario para conexións JSON-RPC - + Password for JSON-RPC connections Contrasinal para conexións JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Executar comando cando o mellor bloque cambie (%s no comando é sustituído polo hash do bloque) - + Allow DNS lookups for -addnode, -seednode and -connect Permitir lookup de DNS para -addnote, -seednote e -connect - + Loading addresses... Cargando direccións... - + Invalid -proxy address: '%s' Dirección -proxy inválida: '%s' - + Unknown network specified in -onlynet: '%s' Rede descoñecida especificada en -onlynet: '%s' - + Insufficient funds Fondos insuficientes - + Loading block index... Cargando índice de bloques... - + Add a node to connect to and attempt to keep the connection open Engadir un nodo ao que conectarse e tentar manter a conexión aberta - + Loading wallet... Cargando moedeiro... - + Cannot downgrade wallet Non se pode desactualizar o moedeiro @@ -3496,27 +3505,27 @@ This label turns red, if the priority is smaller than "medium". Non se pode escribir a dirección por defecto - + Rescanning... Rescaneando... - + Done loading Carga completa - + Error Erro - + To use the %s option Empregar a opción %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3531,7 +3540,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Ocorreu un erro mentres se establecía o porto RPC %u para escoitar sobre IPv6, voltando a IPv4: %s @@ -3541,7 +3550,33 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo Ocorreu un erro mentres se establecía o porto RPC %u para escoitar sobre IPv4: %s - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3550,37 +3585,337 @@ If the file does not exist, create it with owner-readable-only file permissions. Se o arquivo non existe, debes crealo con permisos de so lectura para o propietario. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Dirección + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - - Staking Interest + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude - Unable To Send Beacon! Unlock Wallet! + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mensaxe + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Staking Interest + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable To Send Beacon! Unlock Wallet! + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Emprego: - + Send command to -server or gridcoind - + List commands Listar comandos - + Get help for a command Obter axuda para un comando @@ -3590,17 +3925,17 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Gridcoin - + This help message Esta mensaxe de axuda - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Fixar tamaño da caché da base de datos en megabytes (por defecto: 25) @@ -3610,92 +3945,82 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Specify connection timeout in milliseconds (default: 5000) Especificar tempo límite da conexión en milisegundos (por defecto: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Manter como moito <n> conexións con pares (por defecto: 125) - + Connect only to the specified node(s) Conectar so ao(s) nodo(s) especificado(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Conectar so a nodos na rede <net> (IPv4, IPv6 ou Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Descobrir dirección IP propia (por defecto: 1 se á escoita e non -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Aceptar conexións de fóra (por defecto: 1 se non -proxy ou -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Umbral para desconectar pares con mal comportamento (por defecto: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Número de segundos para manter sen reconectar aos pares con mal comportamento (por defecto: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Máximo buffer por-conexión para recibir, <n>*1000 bytes (por defecto: 5000) @@ -3705,7 +4030,7 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Máximo buffer por-conexión para enviar, <n>*1000 bytes (por defecto: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Usar UPnP para mapear o porto de escoita (por defecto: 1 se á escoita) @@ -3715,22 +4040,22 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Usar UPnP para mapear o porto de escoita (por defecto: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Empregar a rede de proba - + Output extra debugging information. Implies all other -debug* options @@ -3745,32 +4070,32 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permitir conexións JSON-RPC dende direccións IP especificadas - + Send commands to node running on <ip> (default: 127.0.0.1) Enviar comandos a nodo executando na <ip> (por defecto: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3780,68 +4105,52 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Upgrade wallet to latest format Actualizar moedeiro ao formato máis recente - + Set key pool size to <n> (default: 100) Fixar tamaño do pool de claves a <n> (por defecto: 100) - + Rescan the block chain for missing wallet transactions Rescanear transaccións ausentes na cadea de bloques - + Attempt to recover private keys from a corrupt wallet.dat Tentar recuperar claves privadas dende un wallet.dat corrupto - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3850,11 +4159,6 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3866,7 +4170,7 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3881,7 +4185,7 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Loading Network Averages... @@ -3891,22 +4195,22 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Fixar tamaño mínimo de bloque en bytes (por defecto: 0) @@ -3916,22 +4220,22 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opcións SSL: (ver ?a Wiki Bitcoin as instrucción de configuración de SSL) - + Use OpenSSL (https) for JSON-RPC connections Empregar OpenSSL (https) para conexións JSON-RPC - + Server certificate file (default: server.cert) Arquivo de certificado do servidor (por defecto: server.cert) @@ -3941,42 +4245,42 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Clave privada do servidor (por defecto: server.perm) - + Invalid amount for -paytxfee=<amount>: '%s' Cantidade inválida para -paytxfee=<cantidade>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Precaución: -paytxfee está posto moi algo! Esta é a tarifa de transacción que ti pagarás se envías unha transacción. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3986,22 +4290,37 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Precaución: wallet.dat corrupto, datos salvagardados! O wallet.dat orixinal foi gardado como wallet.{timestamp}.bak en %s; se o teu balance ou transaccións son incorrectas deberías restauralas dende unha copia de seguridade. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrupto, fallou o gardado - + Unknown -socks proxy version requested: %i Versión solicitada de proxy -socks descoñecida: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Non se pode resolver a dirección -bind: '%s' @@ -4011,18 +4330,12 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Non se pode resolver dirección -externalip: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -4032,22 +4345,22 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta Erro cargando wallet.dat: Moedeiro corrupto - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Precaución: erro lendo wallet.dat! Tódalas claves lidas correctamente, pero os datos de transacción ou as entradas do libro de direccións podrían estar ausentes ou incorrectos. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Erro cargando wallet.dat @@ -4062,22 +4375,22 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Imposible enlazar con %s neste ordenador (enlace devolveu erro %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4087,57 +4400,43 @@ Se o arquivo non existe, debes crealo con permisos de so lectura para o propieta - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Cantidade inválida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Precaución: Esta versión é obsoleta, precísase unha actualización! - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - + Precaución: Esta versión é obsoleta, precísase unha actualización! - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_he.ts b/src/qt/locale/bitcoin_he.ts index 1c194633f8..71ce493808 100644 --- a/src/qt/locale/bitcoin_he.ts +++ b/src/qt/locale/bitcoin_he.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... &חתימה על הודעה… @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [רשת-בדיקה] @@ -714,7 +714,7 @@ Address: %4 - + %n second(s) שנייה אחת @@ -756,7 +756,7 @@ Address: %4 - + &File &קובץ @@ -776,7 +776,7 @@ Address: %4 - + &Help ע&זרה @@ -3313,17 +3313,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: אפשרויות: - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3333,7 +3333,7 @@ This label turns red, if the priority is smaller than "medium". ציון תיקיית נתונים - + Set database cache size in megabytes (default: 25) @@ -3343,7 +3343,7 @@ This label turns red, if the priority is smaller than "medium". - + Specify configuration file (default: gridcoinresearch.conf) @@ -3353,32 +3353,32 @@ This label turns red, if the priority is smaller than "medium". - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) @@ -3388,62 +3388,238 @@ This label turns red, if the priority is smaller than "medium". יש להתחבר למפרק כדי לדלות כתובות עמיתים ואז להתנתק - + Specify your own public address נא לציין את הכתובת הפומבית שלך - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address + כתובת + + + + Alert: - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; - + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3453,17 +3629,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + הודעה + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3473,12 +3789,12 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3488,12 +3804,12 @@ This label turns red, if the priority is smaller than "medium". קבלת פקודות משורת הפקודה ומ־JSON-RPC - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3508,32 +3824,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3543,68 +3859,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3613,11 +3913,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3629,7 +3924,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3644,7 +3939,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3654,22 +3949,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3679,22 +3974,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3704,42 +3999,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3749,22 +4044,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3774,18 +4084,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3795,22 +4099,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3825,22 +4129,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3850,120 +4154,102 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands ריצה כסוכן ברקע וקבלת פקודות - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) ביצוע פקודה כאשר העברה בארנק משתנה (%s ב־cmd יוחלף ב־TxID) - + Block creation options: אפשרויות יצירת מקטע: - + Failed to listen on any port. Use -listen=0 if you want this. האזנה נכשלה בכל פורט. השתמש ב- -listen=0 אם ברצונך בכך. - + Specify wallet file (within data directory) ציון קובץ ארנק (בתוך תיקיית הנתונים) - + Send trace/debug info to console instead of debug.log file שלח מידע דיבאג ועקבה לקונסולה במקום לקובץ debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) כיווץ הקובץ debug.log בהפעלת הלקוח (בררת מחדל: 1 ללא ‎-debug) - + Username for JSON-RPC connections שם משתמש לחיבורי JSON-RPC - + Password for JSON-RPC connections ססמה לחיבורי JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) יש לבצע פקודה זו כשהמקטע הטוב ביותר משתנה (%s בפקודה יוחלף בגיבוב המקטע) - + Allow DNS lookups for -addnode, -seednode and -connect הפעלת בדיקת DNS עבור ‎-addnode,‏ ‎-seednode ו־‎-connect - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3978,7 +4264,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3995,27 +4281,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: שימוש: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -4025,42 +4311,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... הכתובות בטעינה… - + Invalid -proxy address: '%s' כתובת ‎-proxy לא תקינה: '%s' - + Unknown network specified in -onlynet: '%s' רשת לא ידועה צוינה דרך ‎-onlynet:‏ '%s' - + Insufficient funds אין מספיק כספים - + Loading block index... מפתח המקטעים נטען… - + Add a node to connect to and attempt to keep the connection open הוספת מפרק להתחברות ולנסות לשמור על החיבור פתוח - + Loading wallet... הארנק בטעינה… - + Cannot downgrade wallet לא ניתן להחזיר את גרסת הארנק @@ -4070,17 +4356,17 @@ If the file does not exist, create it with owner-readable-only file permissions. לא ניתן לכתוב את כתובת בררת המחדל - + Rescanning... סריקה מחדש… - + Done loading טעינה הושלמה - + Error שגיאה diff --git a/src/qt/locale/bitcoin_hi_IN.ts b/src/qt/locale/bitcoin_hi_IN.ts index 8cdf06f0de..71ca35cab7 100644 --- a/src/qt/locale/bitcoin_hi_IN.ts +++ b/src/qt/locale/bitcoin_hi_IN.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Overview &विवरण @@ -432,12 +432,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -551,7 +551,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [टेस्टनेट] @@ -654,7 +654,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -664,7 +664,7 @@ Address: %4 - + URI handling @@ -723,7 +723,7 @@ Address: %4 - + %n second(s) @@ -755,7 +755,7 @@ Address: %4 - + Change the passphrase used for wallet encryption पहचान शब्द/अक्षर जो वॉलेट एनक्रिपशन के लिए इस्तेमाल किया है उसे बदलिए! @@ -790,7 +790,7 @@ Address: %4 &सेट्टिंग्स - + &Help &मदद @@ -3296,63 +3296,47 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: विकल्प: - + Specify data directory डेटा डायरेक्टरी बताएं - + Run in the background as a daemon and accept commands बैकग्राउंड में डेमॉन बन कर रन करे तथा कमांड्स स्वीकार करें - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3361,11 +3345,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3377,7 +3356,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3397,22 +3376,22 @@ This label turns red, if the priority is smaller than "medium". ब्लॉक इंडेक्स आ रहा है... - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3422,12 +3401,12 @@ This label turns red, if the priority is smaller than "medium". - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3442,7 +3421,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3452,39 +3431,365 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - - Unable To Send Beacon! Unlock Wallet! + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable To Send Beacon! Unlock Wallet! + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: खपत : - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3494,12 +3799,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3509,7 +3814,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3519,47 +3824,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3569,62 +3874,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3634,7 +3929,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3644,12 +3939,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3659,12 +3954,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3679,12 +3974,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3694,32 +3989,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3729,12 +4024,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3744,27 +4039,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3779,12 +4074,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3794,22 +4089,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3819,42 +4114,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3864,12 +4159,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3879,7 +4179,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3889,68 +4189,72 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat - + Loading wallet... वॉलेट आ रहा है... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3960,12 +4264,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... रि-स्केनी-इंग... - + Importing blockchain data file. @@ -3975,27 +4279,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Done loading लोड हो गया| - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4005,65 +4309,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Error भूल diff --git a/src/qt/locale/bitcoin_hr.ts b/src/qt/locale/bitcoin_hr.ts index a352ff8318..fd19b98b91 100644 --- a/src/qt/locale/bitcoin_hr.ts +++ b/src/qt/locale/bitcoin_hr.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... P&otpišite poruku... @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -713,7 +713,7 @@ Adresa:%4 - + %n second(s) @@ -759,7 +759,7 @@ Adresa:%4 - + &File &Datoteka @@ -779,7 +779,7 @@ Adresa:%4 - + &Help &Pomoć @@ -3346,17 +3346,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Postavke: - + This help message Ova poruka za pomo? - + Specify pid file (default: gridcoind.pid) @@ -3371,7 +3371,7 @@ This label turns red, if the priority is smaller than "medium". - + Set database cache size in megabytes (default: 25) Postavi cache za bazu podataka u MB (zadano:25) @@ -3381,37 +3381,37 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) Odredi vremenski prozor za spajanje na mrežu u milisekundama (ugra?eni izbor: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Održavaj najviše <n> veza sa ?lanovima (default: 125) - + Connect only to the specified node(s) Poveži se samo sa odre?enim nodom @@ -3421,62 +3421,238 @@ This label turns red, if the priority is smaller than "medium". - + Specify your own public address Odaberi vlastitu javnu adresu - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Prag za odspajanje ?lanova koji se ?udno ponašaju (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Broj sekundi koliko se ?lanovima koji se ?udno ponašaju ne?e dopustiti da se opet spoje (default: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresa + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3486,7 +3662,117 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Poruka + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3496,12 +3782,42 @@ This label turns red, if the priority is smaller than "medium". - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Pokušaj koristiti UPnP da otvoriš port za uslugu (default: 1 when listening) @@ -3511,12 +3827,12 @@ This label turns red, if the priority is smaller than "medium". Pokušaj koristiti UPnP da otvoriš port za uslugu (default: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3526,17 +3842,17 @@ This label turns red, if the priority is smaller than "medium". Prihvati komande iz tekst moda i JSON-RPC - + Run in the background as a daemon and accept commands Izvršavaj u pozadini kao uslužnik i prihvaćaj komande - + Use the test network Koristi test mrežu - + Output extra debugging information. Implies all other -debug* options @@ -3551,42 +3867,42 @@ This label turns red, if the priority is smaller than "medium". - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Dozvoli JSON-RPC povezivanje s odre?ene IP adrese - + Send commands to node running on <ip> (default: 127.0.0.1) Pošalji komande nodu na adresi <ip> (ugra?eni izbor: 127.0.0.1) - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3596,68 +3912,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format Nadogradite nov?anik u posljednji format. - + Set key pool size to <n> (default: 100) Podesi memorijski prostor za klju?eve na <n> (ugra?eni izbor: 100) - + Rescan the block chain for missing wallet transactions Ponovno pretraži lanac blokova za transakcije koje nedostaju - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3666,11 +3966,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3682,7 +3977,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3697,7 +3992,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3707,22 +4002,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Podesite minimalnu veli?inu bloka u bajtovima (default: 0) @@ -3732,22 +4027,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL postavke: (za detalje o podešavanju SSL opcija vidi Bitcoin Wiki) - + Use OpenSSL (https) for JSON-RPC connections Koristi OpenSSL (https) za JSON-RPC povezivanje - + Server certificate file (default: server.cert) Uslužnikov SSL certifikat (ugra?eni izbor: server.cert) @@ -3757,42 +4052,42 @@ This label turns red, if the priority is smaller than "medium". Uslužnikov privatni klju? (ugra?eni izbor: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Nevaljali iznos za opciju -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Upozorenje: -paytxfee je podešen na preveliki iznos. To je iznos koji ?ete platiti za obradu transakcije. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3802,12 +4097,27 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3817,38 +4127,32 @@ This label turns red, if the priority is smaller than "medium". - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3858,22 +4162,22 @@ This label turns red, if the priority is smaller than "medium". Greška kod u?itavanja wallet.dat: Nov?anik pokvaren - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Greška kod u?itavanja wallet.dat @@ -3888,22 +4192,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Program ne može koristiti %s na ovom ra?unalu (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3913,95 +4217,77 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Nevaljali iznos za opciju - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Block creation options: Opcije za kreiranje bloka: - + Send trace/debug info to console instead of debug.log file Šalji trace/debug informacije na konzolu umjesto u debug.log datoteku - + Username for JSON-RPC connections Korisničko ime za JSON-RPC veze - + Password for JSON-RPC connections Lozinka za JSON-RPC veze - + Execute command when the best block changes (%s in cmd is replaced by block hash) Izvršite naredbu kada se najbolji blok promjeni (%s u cmd je zamjenjen sa block hash) - + Allow DNS lookups for -addnode, -seednode and -connect Dozvoli DNS upite za -addnode, -seednode i -connect - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4016,7 +4302,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4033,27 +4319,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: Upotreba: - + Send command to -server or gridcoind - + List commands Prikaži komande - + Get help for a command Potraži pomo? za komandu @@ -4063,37 +4349,37 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... Učitavanje adresa... - + Invalid -proxy address: '%s' Nevaljala -proxy adresa: '%s' - + Insufficient funds Nedovoljna sredstva - + Loading block index... Učitavanje indeksa blokova... - + Add a node to connect to and attempt to keep the connection open Doda čvor s kojim se želite povezati i nastoji održati vezu otvorenu - + Loading wallet... Učitavanje novčanika... - + Cannot downgrade wallet Nije moguće novčanik vratiti na prijašnju verziju. @@ -4103,17 +4389,17 @@ If the file does not exist, create it with owner-readable-only file permissions. Nije moguće upisati zadanu adresu. - + Rescanning... Ponovno pretraživanje... - + Done loading Učitavanje gotovo - + Error Greška diff --git a/src/qt/locale/bitcoin_hu.ts b/src/qt/locale/bitcoin_hu.ts index 9c52d945ce..29c7e7822a 100644 --- a/src/qt/locale/bitcoin_hu.ts +++ b/src/qt/locale/bitcoin_hu.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Ez egy kísérleti program. MIT/X11 szoftverlicenc alatt kiadva, lásd a mellékelt COPYING fájlt vagy a http://www.opensource.org/licenses/mit-license.php weboldalt. @@ -303,7 +312,7 @@ Ez a termék tartalmaz az OpenSSL Project által az OpenSSL Toolkit-hez (http:// BitcoinGUI - + Sign &message... Üzenet aláírása... @@ -528,12 +537,12 @@ Ez a termék tartalmaz az OpenSSL Project által az OpenSSL Toolkit-hez (http:// - + New User Wizard - + &Voting @@ -573,7 +582,7 @@ Ez a termék tartalmaz az OpenSSL Project által az OpenSSL Toolkit-hez (http:// - + [testnet] [teszthálózat] @@ -717,7 +726,7 @@ Cím: %4 - + %n second(s) @@ -755,7 +764,7 @@ Cím: %4 - + &File &Fájl @@ -775,7 +784,7 @@ Cím: %4 - + &Help &Súgó @@ -3344,19 +3353,19 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opciók - + This help message Ez a súgó-üzenet - + Specify pid file (default: gridcoind.pid) @@ -3372,7 +3381,7 @@ This label turns red, if the priority is smaller than "medium". - + Set database cache size in megabytes (default: 25) Az adatbázis gyorsítótár mérete megabájtban (alapértelmezés: 25) @@ -3382,37 +3391,37 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) Csatlakozás időkerete milliszekundumban (alapértelmezett: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Maximálisan <n> számú kapcsolat fenntartása a peerekkel (alapértelmezés: 125) - + Connect only to the specified node(s) Csatlakozás csak a megadott csomóponthoz @@ -3422,62 +3431,238 @@ This label turns red, if the priority is smaller than "medium". Kapcsolódás egy csomóponthoz a peerek címeinek megszerzése miatt, majd szétkapcsolás - + Specify your own public address Adja meg az Ön saját nyilvános címét - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Helytelenül viselkedő peerek leválasztási határértéke (alapértelmezés: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Helytelenül viselkedő peerek kizárási ideje másodpercben (alapértelmezés: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Cím + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3487,7 +3672,147 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Üzenet + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) UPnP-használat engedélyezése a figyelő port feltérképezésénél (default: 1 when listening) @@ -3497,12 +3822,12 @@ This label turns red, if the priority is smaller than "medium". UPnP-használat engedélyezése a figyelő port feltérképezésénél (default: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3513,19 +3838,19 @@ This label turns red, if the priority is smaller than "medium". - + Run in the background as a daemon and accept commands Háttérben futtatás daemonként és parancsok elfogadása - + Use the test network Teszthálózat használata - + Output extra debugging information. Implies all other -debug* options @@ -3540,39 +3865,39 @@ This label turns red, if the priority is smaller than "medium". - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address JSON-RPC csatlakozások engedélyezése meghatározott IP-címről - + Send commands to node running on <ip> (default: 127.0.0.1) Parancsok küldése <ip> címen működő csomóponthoz (alapértelmezett: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3582,29 +3907,29 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format A Tárca frissítése a legfrissebb formátumra - + Set key pool size to <n> (default: 100) Kulcskarika mérete <n> (alapértelmezett: 100) - + Rescan the block chain for missing wallet transactions Blokklánc újraszkennelése hiányzó tárca-tranzakciók után - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3619,12 +3944,12 @@ This label turns red, if the priority is smaller than "medium". - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3634,23 +3959,23 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-opciók: (lásd a Bitcoin Wiki SSL-beállítási instrukcióit) - + Use OpenSSL (https) for JSON-RPC connections OpenSSL (https) használata JSON-RPC csatalkozásokhoz - + Server certificate file (default: server.cert) Szervertanúsítvány-fájl (alapértelmezett: server.cert) @@ -3662,42 +3987,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' Étvénytelen -paytxfee=<összeg> összeg: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Figyelem: a -paytxfee nagyon magas. Ennyi tranzakciós díjat fogsz fizetni, ha elküldöd a tranzakciót. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3707,22 +4032,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i Ismeretlen -socks proxy kérése: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Csatlakozási cím (-bind address) feloldása nem sikerült: '%s' @@ -3732,18 +4072,12 @@ This label turns red, if the priority is smaller than "medium". Külső cím (-externalip address) feloldása nem sikerült: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3753,22 +4087,22 @@ This label turns red, if the priority is smaller than "medium". Hiba a wallet.dat betöltése közben: meghibásodott tárca - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Hiba az wallet.dat betöltése közben @@ -3783,22 +4117,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) A %s nem elérhető ezen a gépen (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3808,106 +4142,72 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Étvénytelen összeg - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Parancs, amit akkor hajt végre, amikor egy tárca-tranzakció megváltozik (%s a parancsban lecserélődik a blokk TxID-re) - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3916,28 +4216,23 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. - + Failed to listen on any port. Use -listen=0 if you want this. Egyik hálózati porton sem sikerül hallgatni. Használja a -listen=0 kapcsolót, ha ezt szeretné. - + Finding first applicable Research Project... - + Loading Network Averages... @@ -3947,27 +4242,27 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Send trace/debug info to console instead of debug.log file trace/debug információ küldése a konzolra a debog.log fájl helyett - + Specify configuration file (default: gridcoinresearch.conf) @@ -3977,39 +4272,39 @@ This label turns red, if the priority is smaller than "medium". - + Unable To Send Beacon! Unlock Wallet! - + Username for JSON-RPC connections Felhasználói név JSON-RPC csatlakozásokhoz - + Password for JSON-RPC connections Jelszó JSON-RPC csatlakozásokhoz - + Execute command when the best block changes (%s in cmd is replaced by block hash) Parancs, amit akkor hajt végre, amikor a legjobb blokk megváltozik (%s a cmd-ban lecserélődik a blokk hash-re) - + Allow DNS lookups for -addnode, -seednode and -connect DNS-kikeresés engedélyezése az addnode-nál és a connect-nél - + To use the %s option Használd a %s opciót - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4024,7 +4319,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4043,28 +4338,28 @@ If the file does not exist, create it with owner-readable-only file permissions. Ha a fájl nem létezik, hozd létre 'csak a felhasználó által olvasható' fájl engedéllyel - + Gridcoin version - + Usage: Használat: - + Send command to -server or gridcoind - + List commands Parancsok kilistázása - + Get help for a command Segítség egy parancsról @@ -4075,42 +4370,42 @@ Ha a fájl nem létezik, hozd létre 'csak a felhasználó által olvashat - + Loading addresses... Címek betöltése... - + Invalid -proxy address: '%s' Érvénytelen -proxy cím: '%s' - + Unknown network specified in -onlynet: '%s' Ismeretlen hálózat lett megadva -onlynet: '%s' - + Insufficient funds Nincs elég bitcoinod. - + Loading block index... Blokkindex betöltése... - + Add a node to connect to and attempt to keep the connection open Elérendő csomópont megadása and attempt to keep the connection open - + Loading wallet... Tárca betöltése... - + Cannot downgrade wallet Nem sikerült a Tárca visszaállítása a korábbi verzióra @@ -4120,17 +4415,17 @@ Ha a fájl nem létezik, hozd létre 'csak a felhasználó által olvashat Nem sikerült az alapértelmezett címet írni. - + Rescanning... Újraszkennelés... - + Done loading Betöltés befejezve. - + Error Hiba diff --git a/src/qt/locale/bitcoin_id_ID.ts b/src/qt/locale/bitcoin_id_ID.ts index 2a214733cb..59f4bab557 100644 --- a/src/qt/locale/bitcoin_id_ID.ts +++ b/src/qt/locale/bitcoin_id_ID.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Pesan &penanda... @@ -415,7 +415,7 @@ This product includes software developed by the OpenSSL Project for use in the O Mengenkripsi atau mendekripsi dompet - + Date: %1 Amount: %2 Type: %3 @@ -430,7 +430,7 @@ Alamat: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -444,7 +444,7 @@ Alamat: %4 &Cadangkan Dompet... - + &Change Passphrase... &Ubah Kata Kunci... @@ -549,12 +549,12 @@ Alamat: %4 - + New User Wizard - + &Voting @@ -594,7 +594,7 @@ Alamat: %4 - + [testnet] [testnet] @@ -747,7 +747,7 @@ Alamat: %4 - + %n second(s) @@ -779,7 +779,7 @@ Alamat: %4 Lagi tidak staking - + &File &Berkas @@ -799,7 +799,7 @@ Alamat: %4 - + &Help &Bantuan @@ -3324,117 +3324,117 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Pilihan: - + Specify data directory Tentukan direktori data - + Connect to a node to retrieve peer addresses, and disconnect Hubungkan ke node untuk menerima alamat peer, dan putuskan - + Specify your own public address Tentukan alamat publik Anda sendiri - + Accept command line and JSON-RPC commands Menerima perintah baris perintah dan JSON-RPC - + Run in the background as a daemon and accept commands Berjalan dibelakang sebagai daemin dan menerima perintah - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Jalankan perintah ketika perubahan transaksi dompet (%s di cmd digantikan oleh TxID) - + Block creation options: Pilihan pembuatan blok: - + Specify wallet file (within data directory) Tentukan arsip dompet (dalam direktori data) - + Send trace/debug info to console instead of debug.log file Kirim info jejak/debug ke konsol bukan berkas debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Mengecilkan berkas debug.log saat klien berjalan (Standar: 1 jika tidak -debug) - + Username for JSON-RPC connections Nama pengguna untuk hubungan JSON-RPC - + Password for JSON-RPC connections Kata sandi untuk hubungan JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Menjalankan perintah ketika perubahan blok terbaik (%s dalam cmd digantikan oleh hash blok) - + Allow DNS lookups for -addnode, -seednode and -connect Izinkan peninjauan DNS untuk -addnote, -seednode dan -connect - + Loading addresses... Memuat alamat... - + Invalid -proxy address: '%s' Alamat -proxy salah: '%s' - + Unknown network specified in -onlynet: '%s' Jaringan tidak diketahui yang ditentukan dalam -onlynet: '%s' - + Insufficient funds Saldo tidak mencukupi - + Loading block index... Memuat indeks blok... - + Add a node to connect to and attempt to keep the connection open Tambahkan node untuk dihubungkan dan upaya untuk menjaga hubungan tetap terbuka - + Loading wallet... Memuat dompet... - + Cannot downgrade wallet Tidak dapat menurunkan versi dompet @@ -3444,27 +3444,27 @@ This label turns red, if the priority is smaller than "medium". Tidak dapat menyimpan alamat standar - + Rescanning... Memindai ulang... - + Done loading Memuat selesai - + Error Gagal - + To use the %s option Gunakan pilihan %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3479,7 +3479,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3489,7 +3489,33 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3498,12 +3524,282 @@ If the file does not exist, create it with owner-readable-only file permissions. Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pemilik. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Alamat + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Pesan: + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3513,27 +3809,57 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Penggunaan: - + Send command to -server or gridcoind - + List commands Daftar perintah - + Get help for a command Dapatkan bantuan untuk perintah @@ -3543,17 +3869,17 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem Gridcoin - + This help message Pesan bantuan ini - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Atur ukuran tembolok dalam megabyte (standar: 25) @@ -3563,92 +3889,82 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Mengatur hubungan paling banyak <n> ke peer (standar: 125) - + Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Batas untuk memutuskan peer buruk (standar: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Jumlah kedua untuk menjaga peer buruk dari hubung-ulang (standar: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3658,7 +3974,7 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Use UPnP to map the listening port (default: 1 when listening) @@ -3668,22 +3984,22 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Gunakan jaringan uji - + Output extra debugging information. Implies all other -debug* options @@ -3698,32 +4014,32 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Izinkan hubungan JSON-RPC dari alamat IP yang ditentukan - + Send commands to node running on <ip> (default: 127.0.0.1) Kirim perintah ke node berjalan pada <ip> (standar: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3733,68 +4049,52 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Upgrade wallet to latest format Perbarui dompet ke format terbaru - + Set key pool size to <n> (default: 100) Kirim ukuran kolam kunci ke <n> (standar: 100) - + Rescan the block chain for missing wallet transactions Pindai ulang rantai-blok untuk transaksi dompet yang hilang - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3803,11 +4103,6 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3819,7 +4114,7 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3834,7 +4129,7 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Loading Network Averages... @@ -3844,22 +4139,22 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3869,22 +4164,22 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections Gunakan OpenSSL (https) untuk hubungan JSON-RPC - + Server certificate file (default: server.cert) Berkas sertifikat server (standar: server.cert) @@ -3894,42 +4189,42 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem Kunci pribadi server (standar: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Jumlah salah untuk -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3939,48 +4234,57 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i Diminta versi proxy -socks tidak diketahui: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Tidak dapat menyelesaikan alamat -bind: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' Tidak dapat menyelesaikan alamat -externalip: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3990,22 +4294,22 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem Gagal memuat wallet.dat: Dompet rusak - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Gagal memuat wallet.dat @@ -4020,22 +4324,22 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Tidak dapat mengikat ke %s dengan komputer ini (ikatan gagal %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4045,57 +4349,39 @@ Jika berkas tidak ada, buatlah dengan permisi berkas hanya-dapat-dibaca-oleh-pem Eror: Dompet hanya di-buka hanya untuk staking, transaksi gagal dilaksanakan - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... Mengirim... - + 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. - + Invalid amount Jumlah salah - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_it.ts b/src/qt/locale/bitcoin_it.ts index 19fc116c72..7db86d33df 100644 --- a/src/qt/locale/bitcoin_it.ts +++ b/src/qt/locale/bitcoin_it.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. @@ -304,7 +313,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso BitcoinGUI - + Sign &message... Firma &messaggio... @@ -420,7 +429,7 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso Cifra o decifra il portamonete - + Date: %1 Amount: %2 Type: %3 @@ -435,7 +444,7 @@ Indirizzo: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -449,7 +458,7 @@ Indirizzo: %4 &Backup portamonete... - + &Change Passphrase... &Cambia passphrase... @@ -586,12 +595,12 @@ Indirizzo: %4 - + New User Wizard Procedura guidata nuovo utente - + &Voting &Voto @@ -647,7 +656,7 @@ Indirizzo: %4 - + [testnet] [testnet] @@ -800,7 +809,7 @@ Indirizzo: %4 - + %n second(s) %n secondo @@ -864,7 +873,7 @@ Indirizzo: %4 Non in staking - + &File &File @@ -884,7 +893,7 @@ Indirizzo: %4 &Avanzate - + &Help &Aiuto @@ -3499,12 +3508,12 @@ Questa etichetta diventa rossa se la priorità è minore di "media". bitcoin-core - + Options: Opzioni: - + This help message Questo messaggio di aiuto @@ -3514,7 +3523,7 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Specifica il file di configurazione (default: gridcoin.conf) - + Specify pid file (default: gridcoind.pid) Specifica il file pid (default: gridcoind.pid) @@ -3524,7 +3533,7 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Specifica la cartella dati - + Set database cache size in megabytes (default: 25) Imposta la dimensione della cache del database in megabyte (predefinita: 25) @@ -3534,7 +3543,7 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Imposta la dimensione del disk log del database in megabytes (default: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3544,32 +3553,32 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Specifica il timeout di connessione in millisecondi (predefinito: 5000) - + Connect through socks proxy Collegati tramite proxy socks - + Select the version of socks proxy to use (4-5, default: 5) Seleziona la versione del proxy socks da utilizzare (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Usa il proxy per raggiungere servizzi tor nascosti (default: come -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Resta in ascolto per le connessioni sulla <porta> (default: 32749 o testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Mantieni al massimo <n> connessioni ai peer (predefinite: 125) - + Connect only to the specified node(s) Connetti solo al nodo specificato @@ -3579,62 +3588,246 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Connessione ad un nodo e successiva disconnessione per recuperare gli indirizzi dei peer - + Specify your own public address Specifica il tuo indirizzo pubblico - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Connetti solo a nodi nella rete <rete> (IPv4, IPv6 o Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Scoprire il prorio indirizzo IP (predefinito: 1 se in ascolto e -externalip non impostato) - Find peers using internet relay chat (default: 0) - Trova peers che stanno usando la internet relay chat (default: 0) + Trova peers che stanno usando la internet relay chat (default: 0) - + Accept connections from outside (default: 1 if no -proxy or -connect) Accetta connessioni dall'esterno (predefinito: 1 se -proxy o -connect non impostati) - + Bind to given address. Use [host]:port notation for IPv6 Collegati ad un determinato indirizzo. Usa la notazione [host]:porta per IPv6 - + Find peers using DNS lookup (default: 1) Trova i peer usando DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Sincronizza l'ora con gli altri nodi. Disabilitare nel caso in cui l'ora sul proprio sistema sia precisa es. sincronizzazione tramite NTP (default: 1) - Sync checkpoints policy (default: strict) - Politica sincronizzazione checkpoint (default: strict) + Politica sincronizzazione checkpoint (default: strict) - + Threshold for disconnecting misbehaving peers (default: 100) Soglia di disconnessione dei peer di cattiva qualità (predefinita: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Numero di secondi che i peer di cattiva qualità devono attendere prima di riconnettersi (predefiniti: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Indirizzo + + + + Alert: + + + + + Answer + + + + + Answers + Risposte + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Buffer di ricezione massimo per connessione, <n>*1000 byte (predefinito: 5000) @@ -3644,17 +3837,157 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Buffer di invio massimo per connessione, <n>*1000 byte (predefinito: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Messaggio + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + Domanda + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + Tipo quota + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + Titolo + + + + URL + URL + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Usa UPnP per mappare la porta in ascolto (default: 1 quando in ascolto) @@ -3664,12 +3997,12 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Usa UPnP per mappare la porta in ascolto (default: 0) - + Fee per KB to add to transactions you send Commissione per KB da aggiungere alle transazioni che invii - + When creating transactions, ignore inputs with value less than this (default: 0.01) Quando si creano transazioni, ignora input con valori minori di questo (default: 0.01) @@ -3679,13 +4012,13 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Accetta comandi da riga di comando e JSON-RPC - + Use the test network Utilizza la rete di prova - + Output extra debugging information. Implies all other -debug* options Visualizza informazioni extra di debug. Implica tutte le altre opzioni -debug* @@ -3700,33 +4033,33 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Anteponi timestamp agli output del debug - + Send trace/debug info to debugger Invia informazioni di trace/debug al debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Resta in ascolto per le connessioni JSON-RPC sulla <porta> (default: 15715 o testnet: 25715) - + Allow JSON-RPC connections from specified IP address Consenti connessioni JSON-RPC dall'indirizzo IP specificato - + Send commands to node running on <ip> (default: 127.0.0.1) Inviare comandi al nodo in esecuzione su <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) Richiedi una conferma per il resto (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Forza gli script delle transazioni ad utilizzare gli operatori PUSH canonici (default: 1) @@ -3736,69 +4069,53 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Esegui comando quando viene ricevuto un avviso pertinente (%s in cmd è sostituito dal messaggio) - + Upgrade wallet to latest format Aggiorna il wallet all'ultimo formato - + Set key pool size to <n> (default: 100) Impostare la quantità di chiavi di riserva a <n> (default: 100) - + Rescan the block chain for missing wallet transactions Ripeti analisi della catena dei blocchi per cercare le transazioni mancanti dal portamonete - + Attempt to recover private keys from a corrupt wallet.dat Tenta di recuperare le chiavi private da un wallet.dat corrotto - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3807,11 +4124,6 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3823,7 +4135,7 @@ Questa etichetta diventa rossa se la priorità è minore di "media". - + How many blocks to check at startup (default: 2500, 0 = all) Numero di blocchi da controllare all'avvio (default: 2500, 0 = tutti) @@ -3838,7 +4150,7 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Importa blocchi da un file blk000?.dat esterno - + Loading Network Averages... @@ -3848,22 +4160,22 @@ Questa etichetta diventa rossa se la priorità è minore di "media". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Imposta la dimensione minima del blocco in byte (default: 0) @@ -3873,23 +4185,23 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Imposta la dimensione massima di un blocco in byte (default: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Imposta la dimensione massima delle transazioni high-priority/low-fee in byte (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opzioni SSL: (vedi il wiki di Bitcoin per le istruzioni di configurazione SSL) - + Use OpenSSL (https) for JSON-RPC connections Utilizzare OpenSSL (https) per le connessioni JSON-RPC - + Server certificate file (default: server.cert) File certificato del server (default: server.cert) @@ -3903,42 +4215,42 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Cifrari accettabili (default: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Importo non valido per -paytxfee=<importo>: '%s' - + 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. - + Invalid amount for -mininput=<amount>: '%s' Importo non valido per -mininput=<importo>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. Verifica d'integrita di inizializzazione fallita. Gridcoin verrà chiuso. - + Wallet %s resides outside data directory %s. Il portamonete %s è fuori dalla cartella dati %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Impossibile ottenere un lock sulla cartella dati %s. Gridcoin è probabilmente già in esecuzione. - + Verifying database integrity... Verifica dell'integrità del database... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Errore durante l'inizializzazione dell'ambiente del database %s! Per ripristinare, FARE IL BACKUP DI QUELLA CARTELLA, poi rimuoverne tutto il contenuto tranne wallet.dat. @@ -3948,22 +4260,37 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Attenzione: wallet.dat corrotto, dati salvati! Il wallet.dat originale salvato come wallet.{timestamp}.bak in %s; se il tuo bilancio o le transazioni non sono corrette dovresti ripristinare da un backup. - + + Vote + Vota + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrotto, salvataggio fallito - + Unknown -socks proxy version requested: %i Richiesta versione -socks proxy sconosciuta: %i - + Invalid -tor address: '%s' Indirizzo -tor non valido: '%s' - + Cannot resolve -bind address: '%s' Impossibile risolvere indirizzo -bind: '%s' @@ -3973,19 +4300,18 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Impossibile risolvere indirizzo -externalip: '%s' - + Invalid amount for -reservebalance=<amount> Importo non valido per -reservebalance=<importo> - Unable to sign checkpoint, wrong checkpointkey? - Impossibile firmare checkpoint, chiave checkpoint errata? + Impossibile firmare checkpoint, chiave checkpoint errata? - + Error loading blkindex.dat Errore durante il caricamento di blkindex.dat @@ -3995,22 +4321,22 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Errore caricamento wallet.dat: portamonete corrotto - + 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 lette correttamente, ma i dati delle transazioni o le voci in rubrica potrebbero mancare o non essere corretti. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Errore durante il caricamento di wallet.dat: il portamonete richiede una versione più recente di Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Il portamonete doveva essere riscritto: riavviare Gridcoin per completare - + Error loading wallet.dat Errore caricamento wallet.dat @@ -4025,22 +4351,22 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Importazione del file di dati bootstrap blockchain. - + Error: could not start node Errore: impossibile avviare il nodo - + Unable to bind to %s on this computer. Gridcoin is probably already running. Impossibile collegarsi alla %s su questo computer. Gridcoin è probabilmente già in esecuzione. - + Unable to bind to %s on this computer (bind returned error %d, %s) Impossibile collegarsi alla %s su questo computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction Errore: portamonete bloccato, impossibile creare la transazione @@ -4050,120 +4376,114 @@ Questa etichetta diventa rossa se la priorità è minore di "media". Errore: portamonete sbloccato solo per lo staking, impossibile creare la transazione. - + 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 richiede una commissione di transazione di almeno %s a causa del suo importo, della sua complessità o dell'utilizzo di fondi ricevuti di recente - + Error: Transaction creation failed Errore: creazione della transazione fallita - + Sending... Invio... - + 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 alcune monete nel tuo portafoglio sono già state spese, ad esempio se hai usato una copia di wallet.dat e le monete sono state spese nella copia ma non sono state contrassegnate come spese qui. - + Invalid amount Importo non valido - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Attenzione: verificare che la data e l'ora del computer siano corrette! Se il tuo orologio è sbagliato, Gridcoin non funzionerà correttamente. - Warning: This version is obsolete, upgrade required! - Attenzione: questa versione è obsoleta, aggiornamento necessario! + Attenzione: questa versione è obsoleta, aggiornamento necessario! - - WARNING: synchronized checkpoint violation detected, but skipped! - ATTENZIONE: rilevata violazione del checkpoint sincronizzato, ma ignorata! + ATTENZIONE: rilevata violazione del checkpoint sincronizzato, ma ignorata! - - + Warning: Disk space is low! Attenzione: lo spazio su disco è ridotto! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - ATTENZIONE: trovato checkpoint non valido! Le transazioni visualizzate potrebbero non essere corrette! Potrebbe essere necessario aggiornare o informare gli sviluppatori. + ATTENZIONE: trovato checkpoint non valido! Le transazioni visualizzate potrebbero non essere corrette! Potrebbe essere necessario aggiornare o informare gli sviluppatori. - + Run in the background as a daemon and accept commands Esegui in background come demone ed accetta i comandi - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Esegue un comando quando lo stato di una transazione del portamonete cambia (%s in cmd è sostituito da TxID) - + Block creation options: Opzioni creazione blocco: - + 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. - + Specify wallet file (within data directory) Specifica il file del portamonete (all'interno della cartella dati) - + 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 - + Shrink debug.log file on client startup (default: 1 when no -debug) Riduce il file debug.log all'avvio del client (predefinito: 1 se -debug non è impostato) - + Username for JSON-RPC connections Nome utente per connessioni JSON-RPC - + Password for JSON-RPC connections Password per connessioni JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Esegue un comando quando il miglior blocco cambia (%s nel cmd è sostituito dall'hash del blocco) - + Allow DNS lookups for -addnode, -seednode and -connect Consente interrogazioni DNS per -addnode, -seednode e -connect - + To use the %s option Per usare l'opzione %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4188,7 +4508,7 @@ per esempio: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + 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, torno su IPv4: %s @@ -4205,28 +4525,28 @@ 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 con i permessi di amministratore. - + Gridcoin version Versione Gridcoin - + Usage: Utilizzo: - + Send command to -server or gridcoind Invia comando a -server o gridcoind - + List commands Lista comandi - + Get help for a command Aiuto su un comando @@ -4237,42 +4557,42 @@ If the file does not exist, create it with owner-readable-only file permissions. Gridcoin - + Loading addresses... Caricamento indirizzi... - + Invalid -proxy address: '%s' Indirizzo -proxy non valido: '%s' - + Unknown network specified in -onlynet: '%s' Rete sconosciuta specificata in -onlynet: '%s' - + Insufficient funds Fondi insufficienti - + Loading block index... Caricamento dell'indice dei blocchi... - + Add a node to connect to and attempt to keep the connection open Aggiunge un nodo a cui connettersi e tenta di mantenere aperta la connessione - + Loading wallet... Caricamento portamonete... - + Cannot downgrade wallet Non è possibile effettuare il downgrade del portamonete @@ -4282,17 +4602,17 @@ If the file does not exist, create it with owner-readable-only file permissions. Non è possibile scrivere l'indirizzo predefinito - + Rescanning... Ripetizione scansione... - + Done loading Caricamento completato - + Error Errore diff --git a/src/qt/locale/bitcoin_ja.ts b/src/qt/locale/bitcoin_ja.ts index df2bf2ade7..8a960137a5 100644 --- a/src/qt/locale/bitcoin_ja.ts +++ b/src/qt/locale/bitcoin_ja.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... メッセージの署名... (&m) @@ -415,7 +415,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + Date: %1 Amount: %2 Type: %3 @@ -423,7 +423,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -437,7 +437,7 @@ Address: %4 ウォレットのバックアップ... (&B) - + &Change Passphrase... パスフレーズの変更... (&C) @@ -542,12 +542,12 @@ Address: %4 - + New User Wizard - + &Voting @@ -587,7 +587,7 @@ Address: %4 - + [testnet] [testnet] @@ -728,7 +728,7 @@ Address: %4 - + %n second(s) %n 秒 @@ -756,7 +756,7 @@ Address: %4 - + &File ファイル(&F) @@ -776,7 +776,7 @@ Address: %4 - + &Help ヘルプ(&H) @@ -3320,17 +3320,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: オプション: - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3340,7 +3340,7 @@ This label turns red, if the priority is smaller than "medium". データ ディレクトリの指定 - + Set database cache size in megabytes (default: 25) @@ -3350,7 +3350,7 @@ This label turns red, if the priority is smaller than "medium". - + Specify configuration file (default: gridcoinresearch.conf) @@ -3360,32 +3360,32 @@ This label turns red, if the priority is smaller than "medium". - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) <port> で 接続をリスン (デフォルト: 15714かtestnet は 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) @@ -3395,62 +3395,238 @@ This label turns red, if the priority is smaller than "medium". ピア アドレスを取得するためにノードに接続し、そして切断します - + Specify your own public address あなた自身のパブリックなアドレスを指定 - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address + アドレス + + + + Alert: - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index - + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3460,17 +3636,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + メッセージ + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3480,12 +3796,12 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3495,12 +3811,12 @@ This label turns red, if the priority is smaller than "medium". コマンドラインと JSON-RPC コマンドを許可 - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3515,32 +3831,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3550,68 +3866,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3620,11 +3920,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3636,7 +3931,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3651,7 +3946,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3661,22 +3956,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3686,22 +3981,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3711,42 +4006,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3756,22 +4051,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3781,18 +4091,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3802,22 +4106,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3832,22 +4136,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3857,120 +4161,102 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands デーモンとしてバックグランドで実行しコマンドを許可 - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) ウォレットの取引を変更する際にコマンドを実行 (cmd の %s は TxID に置換される) - + Block creation options: ブロック作成オプション: - + Failed to listen on any port. Use -listen=0 if you want this. ポートのリスンに失敗しました。必要であれば -listen=0 を使用してください。 - + Specify wallet file (within data directory) ウォレットのファイルを指定 (データ・ディレクトリの中に) - + Send trace/debug info to console instead of debug.log file トレース/デバッグ情報を debug.log ファイルの代わりにコンソールへ送る - + Shrink debug.log file on client startup (default: 1 when no -debug) クライアント起動時に debug.log ファイルを縮小 (初期値: -debug オプションを指定しない場合は1) - + Username for JSON-RPC connections JSON-RPC 接続のユーザー名 - + Password for JSON-RPC connections JSON-RPC 接続のパスワード - + Execute command when the best block changes (%s in cmd is replaced by block hash) 最良のブロックに変更する際にコマンドを実行 (cmd の %s はブロック ハッシュに置換される) - + Allow DNS lookups for -addnode, -seednode and -connect -addnode, -seednode と -connect で DNS ルックアップを許可する - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3985,7 +4271,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4002,27 +4288,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: 使用法: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -4032,42 +4318,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... アドレスを読み込んでいます... - + Invalid -proxy address: '%s' 無効な -proxy アドレス: '%s' - + Unknown network specified in -onlynet: '%s' -onlynet で指定された '%s' は未知のネットワークです - + Insufficient funds 残高不足 - + Loading block index... ブロック インデックスを読み込んでいます... - + Add a node to connect to and attempt to keep the connection open 接続するノードを追加し接続を保持します - + Loading wallet... ウォレットを読み込んでいます... - + Cannot downgrade wallet ウォレットのダウングレードはできません @@ -4077,17 +4363,17 @@ If the file does not exist, create it with owner-readable-only file permissions. 初期値のアドレスを書き込むことができません - + Rescanning... 再スキャン中... - + Done loading 読み込み完了 - + Error エラー diff --git a/src/qt/locale/bitcoin_ka.ts b/src/qt/locale/bitcoin_ka.ts index fd821305bd..2011163e34 100644 --- a/src/qt/locale/bitcoin_ka.ts +++ b/src/qt/locale/bitcoin_ka.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... ხელ&მოწერა @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -669,7 +669,7 @@ Address: %4 - + %n second(s) @@ -711,7 +711,7 @@ Address: %4 - + &File &ფაილი @@ -731,7 +731,7 @@ Address: %4 - + &Help &დახმარება @@ -3306,52 +3306,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: ოპციები: - + Specify data directory მიუთითეთ მონაცემთა კატალოგი - + Connect to a node to retrieve peer addresses, and disconnect მიერთება კვანძთან, პირების მისამართების მიღება და გათიშვა - + Specify your own public address მიუთითეთ თქვენი საჯარო მისამართი - + Accept command line and JSON-RPC commands საკომანდო სტრიქონისა და JSON-RPC-კომამდების ნებართვა - + Run in the background as a daemon and accept commands რეზიდენტულად გაშვება და კომანდების მიღება - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) კომანდის შესრულება საფულის ტრანსაქციის ცვლილებისას (%s კომანდაში ჩანაცვლდება TxID-ით) - + Block creation options: ბლოკის შექმნის ოპციები: - + Failed to listen on any port. Use -listen=0 if you want this. ვერ ხერხდება პორტების მიყურადება. თუ გსურთ, გამოიყენეთ -listen=0. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3361,72 +3361,72 @@ This label turns red, if the priority is smaller than "medium". მიუთითეთ საფულის ფაილი (კატალოგში) - + Send trace/debug info to console instead of debug.log file ტრასირების/დახვეწის ინფოს გაგზავნა კონსოლზე debug.log ფაილის ნაცვლად - + Shrink debug.log file on client startup (default: 1 when no -debug) debug.log ფაილის შეკუმშვა გაშვებისას (ნაგულისხმევია: 1 როცა არ აყენია -debug) - + Username for JSON-RPC connections მომხმარებლის სახელი JSON-RPC-შეერთებისათვის - + Password for JSON-RPC connections პაროლი JSON-RPC-შეერთებისათვის - + Execute command when the best block changes (%s in cmd is replaced by block hash) კომანდის შესრულება უკეთესი ბლოკის გამოჩენისას (%s კომანდაში ჩანაცვლდება ბლოკის ჰეშით) - + Allow DNS lookups for -addnode, -seednode and -connect DNS-ძებნის დაშვება -addnode, -seednode და -connect-სათვის - + Loading addresses... მისამართების ჩატვირთვა... - + Invalid -proxy address: '%s' არასწორია მისამართი -proxy: '%s' - + Unknown network specified in -onlynet: '%s' -onlynet-ში მითითებულია უცნობი ქსელი: '%s' - + Insufficient funds არ არის საკმარისი თანხა - + Loading block index... ბლოკების ინდექსის ჩატვირთვა... - + Add a node to connect to and attempt to keep the connection open მისაერთებელი კვანძის დამატება და მიერთების შეძლებისდაგვარად შენარჩუნება - + Loading wallet... საფულის ჩატვირთვა... - + Cannot downgrade wallet საფულის ძველ ვერსიაზე გადაყვანა შეუძლებელია @@ -3436,27 +3436,27 @@ This label turns red, if the priority is smaller than "medium". ვერ ხერხდება ნაგულისხმევი მისამართის ჩაწერა - + Rescanning... სკანირება... - + Done loading ჩატვირთვა დასრულებულია - + Error შეცდომა - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3471,7 +3471,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3481,44 +3481,370 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - - Staking Interest + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude - Unable To Send Beacon! Unlock Wallet! + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Staking Interest + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable To Send Beacon! Unlock Wallet! + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: გამოყენება: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3528,17 +3854,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) - + Set database cache size in megabytes (default: 25) @@ -3548,92 +3874,82 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3643,7 +3959,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3653,22 +3969,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3683,32 +3999,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3718,68 +4034,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3788,11 +4088,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3804,7 +4099,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3819,7 +4114,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3829,22 +4124,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3854,22 +4149,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3879,42 +4174,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3924,22 +4219,37 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3949,18 +4259,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3970,22 +4274,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -4000,22 +4304,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4025,57 +4329,39 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_kk_KZ.ts b/src/qt/locale/bitcoin_kk_KZ.ts index f61e3e79dd..004f1df7e2 100644 --- a/src/qt/locale/bitcoin_kk_KZ.ts +++ b/src/qt/locale/bitcoin_kk_KZ.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Transactions &Транзакциялар @@ -455,12 +455,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -585,7 +585,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + &Help Көмек @@ -718,7 +718,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -728,7 +728,7 @@ Address: %4 - + URI handling @@ -777,7 +777,7 @@ Address: %4 - + %n second(s) @@ -809,7 +809,7 @@ Address: %4 - + Up to date Жаңартылған @@ -3290,12 +3290,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3310,27 +3310,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Error қате - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3340,40 +3330,34 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3382,11 +3366,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3403,7 +3382,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3413,22 +3392,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3439,46 +3418,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands - + Get help for a command + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message - + Specify pid file (default: gridcoind.pid) @@ -3493,7 +3798,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3503,47 +3808,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3553,62 +3858,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3618,7 +3913,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3628,12 +3923,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3643,17 +3938,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3668,12 +3963,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3683,32 +3978,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3718,12 +4013,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3733,27 +4028,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3768,12 +4063,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3783,22 +4078,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3808,42 +4103,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3853,12 +4148,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3868,7 +4168,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3878,73 +4178,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3954,12 +4258,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3969,32 +4273,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4004,62 +4308,44 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_ko_KR.ts b/src/qt/locale/bitcoin_ko_KR.ts index 49fbc82ec8..b5fb388acc 100644 --- a/src/qt/locale/bitcoin_ko_KR.ts +++ b/src/qt/locale/bitcoin_ko_KR.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... 메시지 서명(&M)... @@ -415,7 +415,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + Date: %1 Amount: %2 Type: %3 @@ -423,7 +423,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -437,7 +437,7 @@ Address: %4 지갑 백업(&B)... - + &Change Passphrase... 암호문 변경(&C)... @@ -542,12 +542,12 @@ Address: %4 - + New User Wizard - + &Voting @@ -587,7 +587,7 @@ Address: %4 - + [testnet] [테스트넷] @@ -728,7 +728,7 @@ Address: %4 - + %n second(s) %n 초 @@ -756,7 +756,7 @@ Address: %4 - + &File 파일(&F) @@ -776,7 +776,7 @@ Address: %4 - + &Help 도움말(&H) @@ -3304,17 +3304,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: 옵션: - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3324,7 +3324,7 @@ This label turns red, if the priority is smaller than "medium". 데이터 폴더 지정 - + Set database cache size in megabytes (default: 25) @@ -3334,7 +3334,7 @@ This label turns red, if the priority is smaller than "medium". - + Specify configuration file (default: gridcoinresearch.conf) @@ -3344,32 +3344,32 @@ This label turns red, if the priority is smaller than "medium". - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) @@ -3379,62 +3379,238 @@ This label turns red, if the priority is smaller than "medium". 피어 주소를 받기 위해 노드에 연결하고, 받은 후에 연결을 끊습니다 - + Specify your own public address 공인 주소를 지정하십시오 - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address + 주소 + + + + Alert: - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index - + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3444,17 +3620,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + 메시지 + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3464,12 +3780,12 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3479,12 +3795,12 @@ This label turns red, if the priority is smaller than "medium". 명령줄과 JSON-RPC 명령 수락 - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3499,32 +3815,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3534,68 +3850,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3604,11 +3904,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3620,7 +3915,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3635,7 +3930,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3645,22 +3940,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3670,22 +3965,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3695,42 +3990,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3740,22 +4035,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3765,18 +4075,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3786,22 +4090,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3816,22 +4120,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3841,120 +4145,102 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands 데몬으로 백그라운드에서 실행하고 명령을 허용 - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) 지갑 거래가 바뀌면 명령을 실행합니다.(%s 안의 명령어가 TxID로 바뀝니다) - + Block creation options: 블록 생성 옵션: - + Failed to listen on any port. Use -listen=0 if you want this. 어떤 포트도 반응하지 않습니다. 사용자 반응=0 만약 원한다면 - + Specify wallet file (within data directory) 데이터 폴더 안에 지갑 파일을 선택하세요. - + Send trace/debug info to console instead of debug.log file 추적오류 정보를 degug.log 자료로 보내는 대신 콘솔로 보내기 - + Shrink debug.log file on client startup (default: 1 when no -debug) 클라이언트 시작시 debug.log 파일 비우기(기본값: 디버그 안할때 1) - + Username for JSON-RPC connections JSON-RPC 연결에 사용할 사용자 이름 - + Password for JSON-RPC connections JSON-RPC 연결에 사용할 암호 - + Execute command when the best block changes (%s in cmd is replaced by block hash) 최고의 블럭이 변하면 명령을 실행(cmd 에 있는 %s 는 블럭 해시에 의해 대체되어 짐) - + Allow DNS lookups for -addnode, -seednode and -connect -addnode, -seednode, -connect 옵션에 대해 DNS 탐색 허용 - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3969,7 +4255,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3986,27 +4272,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: 사용법: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -4016,42 +4302,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... 주소를 불러오는 중... - + Invalid -proxy address: '%s' 잘못된 -proxy 주소입니다: '%s' - + Unknown network specified in -onlynet: '%s' -onlynet에 지정한 네트워크를 알 수 없습니다: '%s' - + Insufficient funds 자금 부족 - + Loading block index... 블럭 인덱스를 불러오는 중... - + Add a node to connect to and attempt to keep the connection open 노드를 추가하여 연결하고 연결상태를 계속 유지하려고 시도합니다. - + Loading wallet... 지갑을 불러오는 중... - + Cannot downgrade wallet 지갑을 다운그레이드 할 수 없습니다 @@ -4061,17 +4347,17 @@ If the file does not exist, create it with owner-readable-only file permissions. 기본 계좌에 기록할 수 없습니다 - + Rescanning... 재검색 중... - + Done loading 로딩 완료 - + Error 오류 diff --git a/src/qt/locale/bitcoin_ky.ts b/src/qt/locale/bitcoin_ky.ts index d8e324bf9a..b159044e54 100644 --- a/src/qt/locale/bitcoin_ky.ts +++ b/src/qt/locale/bitcoin_ky.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Transactions &Транзакциялар @@ -456,12 +456,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -581,7 +581,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + &Help &Жардам @@ -714,7 +714,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -724,7 +724,7 @@ Address: %4 - + URI handling @@ -773,7 +773,7 @@ Address: %4 - + %n second(s) @@ -805,7 +805,7 @@ Address: %4 - + Up to date Жаңыланган @@ -3286,12 +3286,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3306,27 +3306,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Error Ката - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3336,40 +3326,34 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3378,11 +3362,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3399,7 +3378,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3409,22 +3388,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3435,46 +3414,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands - + Get help for a command + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Дарек + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Билдирүү + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message - + Specify pid file (default: gridcoind.pid) @@ -3489,7 +3794,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3499,47 +3804,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3549,62 +3854,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3614,7 +3909,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3624,12 +3919,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3639,17 +3934,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3664,12 +3959,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3679,32 +3974,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3714,12 +4009,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3729,27 +4024,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3764,12 +4059,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3779,22 +4074,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3804,42 +4099,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3849,12 +4144,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3864,7 +4164,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3874,73 +4174,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3950,12 +4254,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3965,32 +4269,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4000,62 +4304,44 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_la.ts b/src/qt/locale/bitcoin_la.ts index 8f194c00a2..612b2003e4 100644 --- a/src/qt/locale/bitcoin_la.ts +++ b/src/qt/locale/bitcoin_la.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - Hoc est experimentale programma. + Hoc est experimentale programma. Distributum sub MIT/X11 licentia programmatum, vide comitantem plicam COPYING vel http://www.opensource.org/licenses/mit-license.php. @@ -303,7 +312,7 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op BitcoinGUI - + Gridcoin @@ -400,12 +409,12 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op - + New User Wizard - + &Voting @@ -490,7 +499,7 @@ Hoc productum continet programmata composita ab OpenSSL Project pro utendo in Op - + [testnet] [testnet] @@ -595,7 +604,7 @@ Inscriptio: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -617,7 +626,7 @@ Inscriptio: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -676,7 +685,7 @@ Inscriptio: %4 - + %n second(s) @@ -708,7 +717,7 @@ Inscriptio: %4 - + &Overview &Summarium @@ -811,7 +820,7 @@ Inscriptio: %4 &Configuratio - + &Help &Auxilium @@ -3341,88 +3350,72 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Optiones: - + Specify data directory Specifica indicem datorum - + Connect to a node to retrieve peer addresses, and disconnect Conecta ad nodum acceptare inscriptiones parium, et disconecte - + Specify your own public address Specifica tuam propriam publicam inscriptionem - + Accept command line and JSON-RPC commands Accipe terminalis et JSON-RPC mandata. - + Run in the background as a daemon and accept commands Operare infere sicut daemon et mandata accipe - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Facere mandatum quotiescumque cassidilis transactio mutet (%s in mandato sbstituitur ab TxID) - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Block creation options: Optiones creandi frustorum: - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3431,28 +3424,23 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. - + Failed to listen on any port. Use -listen=0 if you want this. Non potuisse auscultare in ulla porta. Utere -listen=0 si hoc vis. - + Finding first applicable Research Project... - + Loading Network Averages... @@ -3462,27 +3450,42 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Send trace/debug info to console instead of debug.log file Mitte informationem vestigii/debug ad terminale potius quam plicam debug.log + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Shrink debug.log file on client startup (default: 1 when no -debug) Diminue plicam debug.log ad initium clientis (praedefinitum: 1 nisi -debug) @@ -3497,67 +3500,97 @@ This label turns red, if the priority is smaller than "medium". - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Username for JSON-RPC connections Nomen utentis pro conexionibus JSON-RPC - + Password for JSON-RPC connections Tessera pro conexionibus JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Pelle mandatum quando optissimum frustum mutat (%s in mandato substituitur ab hash frusti) - + Allow DNS lookups for -addnode, -seednode and -connect Permitte quaerenda DNS pro -addnode, -seednode, et -connect - + Loading addresses... Legens inscriptiones... - + Invalid -proxy address: '%s' Inscriptio -proxy non valida: '%s' - + Unknown network specified in -onlynet: '%s' Ignotum rete specificatum in -onlynet: '%s' - + Insufficient funds Inopia nummorum - + Loading block index... Legens indicem frustorum... - + Add a node to connect to and attempt to keep the connection open Adice nodum cui conectere et conare sustinere conexionem apertam - + Loading wallet... Legens cassidile... - + Cannot downgrade wallet Non posse cassidile regredi @@ -3567,27 +3600,27 @@ This label turns red, if the priority is smaller than "medium". Non posse scribere praedefinitam inscriptionem - + Rescanning... Iterum perlegens... - + Done loading Completo lengendi - + Error Error - + To use the %s option Ut utaris optione %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3602,7 +3635,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Error erat dum initians portam RPC %u pro auscultando in IPv6, labens retrorsum ad IPv4: %s @@ -3621,27 +3654,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam legere sinatur. - + Gridcoin version - + Usage: Usus: - + Send command to -server or gridcoind - + List commands Enumera mandata - + Get help for a command Accipe auxilium pro mandato @@ -3651,12 +3684,12 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + This help message Hic nuntius auxilii - + Specify pid file (default: gridcoind.pid) @@ -3666,7 +3699,7 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + Set database cache size in megabytes (default: 25) Constitue magnitudinem databasis cache in megabytes (praedefinitum: 25) @@ -3676,92 +3709,82 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + Specify connection timeout in milliseconds (default: 5000) Specifica tempumfati conexionis in millisecundis (praedefinitum: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Manutene non plures quam <n> conexiones ad paria (praedefinitum: 125) - + Connect only to the specified node(s) Conecte sole ad nodos specificatos (vel nodum specificatum) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Tantum conecte ad nodos in rete <net> (IPv4, IPv6 aut Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Discooperi propriam inscriptionem IP (praedefinitum: 1 quando auscultans et nullum -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Accipe conexiones externas (praedefinitum: 1 nisi -proxy neque -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Limen pro disconectendo paria improba (praedefinitum: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Numerum secundorum prohibere ne paria improba reconectant (praedefinitum: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maxima magnitudo memoriae pro datis accipendis singulis conexionibus, <n>*1000 octetis/bytes (praedefinitum: 5000) @@ -3771,7 +3794,7 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege Maxima magnitudo memoriae pro datis mittendis singulis conexionibus, <n>*1000 octetis/bytes (praedefinitum: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Utere UPnP designare portam auscultandi (praedefinitum: 1 quando auscultans) @@ -3781,22 +3804,22 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege Utere UPnP designare portam auscultandi (praedefinitum: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Utere rete experimentale - + Output extra debugging information. Implies all other -debug* options @@ -3811,32 +3834,32 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permitte conexionibus JSON-RPC ex inscriptione specificata - + Send commands to node running on <ip> (default: 127.0.0.1) Mitte mandata nodo operanti in <ip> (praedefinitum: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3846,27 +3869,188 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + Upgrade wallet to latest format Progredere cassidile ad formam recentissimam - + Set key pool size to <n> (default: 100) Constitue magnitudinem stagni clavium ad <n> (praedefinitum: 100) - + Rescan the block chain for missing wallet transactions Iterum perlege catenam frustorum propter absentes cassidilis transactiones - + Attempt to recover private keys from a corrupt wallet.dat Conare recipere claves privatas de corrupto wallet.dat - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Inscriptio + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + How many blocks to check at startup (default: 2500, 0 = all) @@ -3881,7 +4065,127 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Nuntius + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + Set minimum block size in bytes (default: 0) Constitue minimam magnitudinem frusti in octetis/bytes (praedefinitum: 0) @@ -3891,22 +4195,22 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Optiones SSL: (vide vici de Bitcoin pro instructionibus SSL configurationis) - + Use OpenSSL (https) for JSON-RPC connections Utere OpenSSL (https) pro conexionibus JSON-RPC - + Server certificate file (default: server.cert) Plica certificationis daemonis moderantis (praedefinitum: server.cert) @@ -3916,42 +4220,42 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege Clavis privata daemonis moderans (praedefinitum: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Quantitas non valida pro -paytxfee=<quantitas>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Monitio: -paytxfee constitutum valde magnum! Hoc est merces transactionis solves si mittis transactionem. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3961,22 +4265,37 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege Monitio: wallet.data corrupta, data salvata! Originalis wallet.dat salvata ut wallet.{timestamp}.bak in %s; si pendendum tuum vel transactiones pravae sunt, oportet ab conservato restituere. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrupta, salvare abortum est - + Unknown -socks proxy version requested: %i Ignota -socks vicarii versio postulata: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Non posse resolvere -bind inscriptonem: '%s' @@ -3986,18 +4305,12 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege Non posse resolvere -externalip inscriptionem: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -4007,22 +4320,22 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege Error legendi wallet.dat: Cassidile corruptum - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Monitio: error legendo wallet.dat! Omnes claves recte lectae, sed data transactionum vel libri inscriptionum fortasse desint vel prava sint. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Error legendi wallet.dat @@ -4037,22 +4350,22 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Non posse conglutinare ad %s in hoc computatro (conglutinare redidit errorem %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4062,57 +4375,43 @@ Si plica non existat, crea eam cum permissionibus ut solus eius dominus eam lege - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Quantitas non valida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Monitio: Haec versio obsoleta est, progressio postulata! - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - + Monitio: Haec versio obsoleta est, progressio postulata! - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_lt.ts b/src/qt/locale/bitcoin_lt.ts index 282f9f936b..5a2ca4ec79 100644 --- a/src/qt/locale/bitcoin_lt.ts +++ b/src/qt/locale/bitcoin_lt.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - Tai eksperimentinė programa. + Tai eksperimentinė programa. Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www.opensource.org/licenses/mit-license.php. @@ -303,7 +312,7 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. BitcoinGUI - + Sign &message... Pasirašyti ži&nutę... @@ -528,12 +537,12 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. - + New User Wizard - + &Voting @@ -573,7 +582,7 @@ Platinama pagal MIT/X11 licenciją, kurią rasite faile COPYING arba http://www. - + [testnet] [testavimotinklas] @@ -680,7 +689,7 @@ Adresas: %4 {1 - + %n second(s) @@ -726,7 +735,7 @@ Adresas: %4 {1 - + &File &Failas @@ -746,7 +755,7 @@ Adresas: %4 {1 - + &Help &Pagalba @@ -3348,17 +3357,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Parinktys: - + This help message Pagalbos žinutė - + Specify pid file (default: gridcoind.pid) @@ -3373,7 +3382,7 @@ This label turns red, if the priority is smaller than "medium". - + Set database cache size in megabytes (default: 25) @@ -3383,37 +3392,37 @@ This label turns red, if the priority is smaller than "medium". - + Specify connection timeout in milliseconds (default: 5000) Nustatyti sujungimo trukm? milisekund?mis (pagal nutyl?jim?: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Palaikyti ne daugiau <n> jung?i? kolegoms (pagal nutyl?jim?: 125) - + Connect only to the specified node(s) Prisijungti tik prie nurodyto mazgo @@ -3423,103 +3432,77 @@ This label turns red, if the priority is smaller than "medium". - + Specify your own public address Nurodykite savo nuosavą viešą adresą - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Atjungimo d?l netinkamo koleg? elgesio riba (pagal nutyl?jim?: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Sekundži? kiekis eikiamas palaikyti ryš? d?l lygiarangi? nestabilumo (pagal nutyl?jim?: 86.400) - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3528,11 +3511,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3544,7 +3522,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3554,7 +3532,7 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) @@ -3569,17 +3547,17 @@ This label turns red, if the priority is smaller than "medium". Maksimalus buferis siuntimo sujungimui <n>*1000 bit? (pagal nutyl?jim?: 1000) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3589,12 +3567,12 @@ This label turns red, if the priority is smaller than "medium". - + Unable To Send Beacon! Unlock Wallet! - + Use UPnP to map the listening port (default: 1 when listening) Bandymas naudoti UPnP strukt?ra klausymosi prievadui (default: 1 when listening) @@ -3604,32 +3582,358 @@ This label turns red, if the priority is smaller than "medium". Bandymas naudoti UPnP strukt?ra klausymosi prievadui (default: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + Accept command line and JSON-RPC commands Priimti komandinę eilutę ir JSON-RPC komandas - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresas + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Žinutė + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + Run in the background as a daemon and accept commands Dirbti fone kaip šešėlyje ir priimti komandas - + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use the test network Naudoti testavimo tinkl? - + Output extra debugging information. Implies all other -debug* options @@ -3644,32 +3948,32 @@ This label turns red, if the priority is smaller than "medium". - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Leisti JSON-RPC tik iš nurodyt? IP adres? - + Send commands to node running on <ip> (default: 127.0.0.1) Si?sti komand? mazgui dirban?iam <ip> (pagal nutyl?jim?: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3679,12 +3983,12 @@ This label turns red, if the priority is smaller than "medium". - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3694,27 +3998,27 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format Atnaujinti pinigin? ? naujausi? format? - + Set key pool size to <n> (default: 100) Nustatyti rakto apimties dyd? <n> (pagal nutyl?jim?: 100) - + Rescan the block chain for missing wallet transactions Ieškoti prarast? pinigin?s sandori? blok? grandin?je - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3729,12 +4033,12 @@ This label turns red, if the priority is smaller than "medium". - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3744,22 +4048,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL opcijos (žr.e Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections Naudoti OpenSSL (https) jungimuisi JSON-RPC - + Server certificate file (default: server.cert) Serverio sertifikato failas (pagal nutyl?jim?: server.cert) @@ -3769,42 +4073,42 @@ This label turns red, if the priority is smaller than "medium". Serverio privatus raktas (pagal nutyl?jim?: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Neteisinga suma -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. ?sp?jimas: -paytxfee yra nustatytas per didelis. Tai sandorio mokestis, kur? tur?site mok?ti, jei si?site sandor?. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3814,12 +4118,27 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3829,38 +4148,32 @@ This label turns red, if the priority is smaller than "medium". - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3870,32 +4183,32 @@ This label turns red, if the priority is smaller than "medium". wallet.dat pakrovimo klaida, wallet.dat sugadintas - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat wallet.dat pakrovimo klaida - + Cannot downgrade wallet - + Importing blockchain data file. @@ -3905,22 +4218,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Nepavyko susieti šiame kompiuteryje prievado %s (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3930,85 +4243,67 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Neteisinga suma - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Send trace/debug info to console instead of debug.log file Siųsti atsekimo/derinimo info į konsolę vietoj debug.log failo - + Username for JSON-RPC connections Vartotojo vardas JSON-RPC jungimuisi - + Password for JSON-RPC connections Slaptažodis JSON-RPC sujungimams - + Allow DNS lookups for -addnode, -seednode and -connect Leisti DNS paiešką sujungimui ir mazgo pridėjimui - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4023,7 +4318,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4040,27 +4335,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: Naudojimas: - + Send command to -server or gridcoind - + List commands Komand? s?rašas - + Get help for a command Suteikti pagalba komandai @@ -4070,52 +4365,52 @@ If the file does not exist, create it with owner-readable-only file permissions. Gridcoin - + Loading addresses... Užkraunami adresai... - + Invalid -proxy address: '%s' Neteisingas proxy adresas: '%s' - + Insufficient funds Nepakanka lėšų - + Loading block index... Įkeliamas blokų indeksas... - + Add a node to connect to and attempt to keep the connection open Pridėti mazgą prie sujungti su and attempt to keep the connection open - + Loading wallet... Užkraunama piniginė... - + Cannot write default address Negalima parašyti įprasto adreso - + Rescanning... Peržiūra - + Done loading Įkėlimas baigtas - + Error Klaida diff --git a/src/qt/locale/bitcoin_lv_LV.ts b/src/qt/locale/bitcoin_lv_LV.ts index 85ea5dde44..8142a8c740 100644 --- a/src/qt/locale/bitcoin_lv_LV.ts +++ b/src/qt/locale/bitcoin_lv_LV.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Parakstīt &ziņojumu... @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -677,7 +677,7 @@ Adrese: %4 - + %n second(s) @@ -723,7 +723,7 @@ Adrese: %4 - + &File &Fails @@ -743,7 +743,7 @@ Adrese: %4 - + &Help &Palīdzība @@ -3334,102 +3334,102 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Iespējas: - + Specify data directory Norādiet datu direktoriju - + Connect to a node to retrieve peer addresses, and disconnect Pievienoties mezglam, lai iegūtu citu mezglu adreses, un atvienoties - + Specify your own public address Norādiet savu publisko adresi - + Accept command line and JSON-RPC commands Pieņemt komandrindas un JSON-RPC komandas - + Run in the background as a daemon and accept commands Darbināt fonā kā servisu un pieņemt komandas - + Block creation options: Bloka izveidošanas iestatījumi: - + Send trace/debug info to console instead of debug.log file Debug/trace informāciju izvadīt konsolē, nevis debug.log failā - + Username for JSON-RPC connections JSON-RPC savienojumu lietotājvārds - + Password for JSON-RPC connections JSON-RPC savienojumu parole - + Execute command when the best block changes (%s in cmd is replaced by block hash) Izpildīt komandu, kad labāk atbilstošais bloks izmainās (%s cmd aizvieto ar bloka hešu) - + Allow DNS lookups for -addnode, -seednode and -connect Atļaut DNS uzmeklēšanu priekš -addnode, -seednode un -connect - + Loading addresses... Ielādē adreses... - + Invalid -proxy address: '%s' Nederīga -proxy adrese: '%s' - + Unknown network specified in -onlynet: '%s' -onlynet komandā norādīts nepazīstams tīkls: '%s' - + Insufficient funds Nepietiek bitkoinu - + Loading block index... Ielādē bloku indeksu... - + Add a node to connect to and attempt to keep the connection open Pievienot mezglu, kam pievienoties un turēt savienojumu atvērtu - + Loading wallet... Ielādē maciņu... - + Cannot downgrade wallet Nevar maciņa formātu padarīt vecāku @@ -3439,27 +3439,27 @@ This label turns red, if the priority is smaller than "medium". Nevar ierakstīt adresi pēc noklusēšanas - + Rescanning... Skanēju no jauna... - + Done loading Ielāde pabeigta - + Error Kļūda - + To use the %s option Izmantot opciju %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3474,7 +3474,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3484,7 +3484,33 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3493,12 +3519,282 @@ If the file does not exist, create it with owner-readable-only file permissions. Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adrese + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3508,27 +3804,57 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Lietojums: - + Send command to -server or gridcoind - + List commands Komandu saraksts - + Get help for a command Pal?dz?ba par komandu @@ -3538,12 +3864,12 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + This help message Šis pal?dz?bas pazi?ojums - + Specify pid file (default: gridcoind.pid) @@ -3553,7 +3879,7 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Set database cache size in megabytes (default: 25) Uzst?diet datu b?zes bufera izm?ru megabaitos (p?c noklus?šanas: 25) @@ -3563,92 +3889,82 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Uztur?t l?dz <n> savienojumiem ar citiem mezgliem(p?c noklus?šanas: 125) - + Connect only to the specified node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Slieksnis p?rk?p?jmezglu atvienošanai (p?c noklus?šanas: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Sekundes, cik ilgi attur?t p?rk?p?jmezglus no atk?rtotas pievienošan?s (p?c noklus?šanas: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3658,7 +3974,7 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3668,22 +3984,22 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Izmantot testa t?klu - + Output extra debugging information. Implies all other -debug* options @@ -3698,42 +4014,42 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address At?aut JSON-RPC savienojumus no nor?d?t?s IP adreses - + Send commands to node running on <ip> (default: 127.0.0.1) Nos?t?t komandas mezglam, kas darbojas adres? <ip> (p?c noklus?šanas: 127.0.0.1) - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3743,68 +4059,52 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Upgrade wallet to latest format Atjaunot maci?a form?tu uz jaun?ko - + Set key pool size to <n> (default: 100) Uzst?d?t atsl?gu bufera izm?ru uz <n> (p?c noklus?šanas: 100) - + Rescan the block chain for missing wallet transactions Atk?rtoti skan?t bloku virkni, mekl?jot tr?kstoš?s maci?a transakcijas - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3813,11 +4113,6 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam.Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3829,7 +4124,7 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3844,7 +4139,7 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Loading Network Averages... @@ -3854,22 +4149,22 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3879,22 +4174,22 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections JSON-RPC savienojumiem izmantot OpenSSL (https) - + Server certificate file (default: server.cert) Servera sertifik?ta fails (p?c noklus?šanas: server.cert) @@ -3904,42 +4199,42 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam.Servera priv?t? atsl?ga (p?c noklus?šanas: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Neder?gs daudzums priekš -paytxfree=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3949,48 +4244,57 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i Piepras?ta nezin?ma -socks proxy versija: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Nevar uzmekl?t -bind adresi: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' Nevar atrisin?t -externalip adresi: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -4000,22 +4304,22 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam.Nevar iel?d?t wallet.dat: maci?š boj?ts - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat K??da iel?d?jot wallet.dat @@ -4030,22 +4334,22 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Nevar pievienoties pie %s šaj? dator? (pievienošan?s atgrieza k??du %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4055,57 +4359,39 @@ Ja fails neeksist?, izveidojiet to ar at?auju las?šanai tikai ?pašniekam. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Neder?gs daudzums - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_ms_MY.ts b/src/qt/locale/bitcoin_ms_MY.ts index 04cca40a15..9154bbf508 100644 --- a/src/qt/locale/bitcoin_ms_MY.ts +++ b/src/qt/locale/bitcoin_ms_MY.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... @@ -446,12 +446,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -572,7 +572,7 @@ Alihkan fail data ke dalam tab semasa - + &Help @@ -709,7 +709,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -719,7 +719,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -768,7 +768,7 @@ Address: %4 - + %n second(s) @@ -796,7 +796,7 @@ Address: %4 - + &Encrypt Wallet... @@ -3274,12 +3274,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3294,27 +3294,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Error - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3324,40 +3314,34 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3366,11 +3350,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3387,7 +3366,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3397,22 +3376,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3423,46 +3402,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands - + Get help for a command + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Alamat + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message - + Specify pid file (default: gridcoind.pid) @@ -3477,7 +3782,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3487,47 +3792,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3537,62 +3842,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3602,7 +3897,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3612,12 +3907,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3627,17 +3922,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3652,12 +3947,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3667,32 +3962,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3702,12 +3997,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3717,27 +4012,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3752,12 +4047,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3767,22 +4062,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3792,42 +4087,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3837,12 +4132,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3852,7 +4152,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3862,73 +4162,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3938,12 +4242,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3953,32 +4257,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3988,62 +4292,44 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_nb.ts b/src/qt/locale/bitcoin_nb.ts index 1883acedbb..3b50b9ef98 100644 --- a/src/qt/locale/bitcoin_nb.ts +++ b/src/qt/locale/bitcoin_nb.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Dette er eksperimentell programvare. Distribuert under MIT/X11 programvarelisensen, se medfølgende fil COPYING eller http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Dette produktet inneholder programvare utviklet av OpenSSL prosjektet for bruk i BitcoinGUI - + Sign &message... Signer &melding... @@ -529,12 +538,12 @@ Dette produktet inneholder programvare utviklet av OpenSSL prosjektet for bruk i - + New User Wizard - + &Voting @@ -574,7 +583,7 @@ Dette produktet inneholder programvare utviklet av OpenSSL prosjektet for bruk i - + [testnet] [testnett] @@ -718,7 +727,7 @@ Adresse: %4 - + %n second(s) %n sekund @@ -760,7 +769,7 @@ Adresse: %4 - + &File &Fil @@ -780,7 +789,7 @@ Adresse: %4 - + &Help &Hjelp @@ -3355,17 +3364,17 @@ Dette betyr at det trengs en avgift på minimum %2. bitcoin-core - + Options: Innstillinger: - + This help message Denne hjelpemeldingen - + Specify pid file (default: gridcoind.pid) @@ -3375,7 +3384,7 @@ Dette betyr at det trengs en avgift på minimum %2. Angi mappe for datafiler - + Set database cache size in megabytes (default: 25) Sett størrelse på mellomlager for database i megabytes (standardverdi: 25) @@ -3385,7 +3394,7 @@ Dette betyr at det trengs en avgift på minimum %2. - + Specify configuration file (default: gridcoinresearch.conf) @@ -3395,32 +3404,32 @@ Dette betyr at det trengs en avgift på minimum %2. Angi tidsavbrudd for forbindelse i millisekunder (standardverdi: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Hold maks <n> koblinger åpne til andre noder (standardverdi: 125) - + Connect only to the specified node(s) Koble kun til angitt(e) node(r) @@ -3430,62 +3439,238 @@ Dette betyr at det trengs en avgift på minimum %2. Koble til node for å hente adresser til andre noder, koble så fra igjen - + Specify your own public address Angi din egen offentlige adresse - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Koble kun til noder i nettverket <nett> (IPv4, IPv6 eller Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Oppdag egen IP-adresse (standardverdi: 1 ved lytting og uten -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Ta imot tilkoblinger fra utsiden (standardverdi: 1 hvis uten -proxy eller -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Grenseverdi for å koble fra noder med dårlig oppførsel (standardverdi: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Antall sekunder noder med dårlig oppførsel hindres fra å koble til på nytt (standardverdi: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresse + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maks mottaksbuffer per forbindelse, <n>*1000 bytes (standardverdi: 5000) @@ -3495,17 +3680,157 @@ Dette betyr at det trengs en avgift på minimum %2. Maks sendebuffer per forbindelse, <n>*1000 bytes (standardverdi: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Melding + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Bruk UPnP for lytteport (standardverdi: 1 ved lytting) @@ -3515,12 +3840,12 @@ Dette betyr at det trengs en avgift på minimum %2. Bruk UPnP for lytteport (standardverdi: 0) - + Fee per KB to add to transactions you send Gebyr per KB som skal legges til transaksjoner du sender - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3530,12 +3855,12 @@ Dette betyr at det trengs en avgift på minimum %2. Ta imot kommandolinje- og JSON-RPC-kommandoer - + Use the test network Bruk testnettverket - + Output extra debugging information. Implies all other -debug* options @@ -3550,32 +3875,32 @@ Dette betyr at det trengs en avgift på minimum %2. - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Tillat JSON-RPC tilkoblinger fra angitt IP-adresse - + Send commands to node running on <ip> (default: 127.0.0.1) Send kommandoer til node på <ip> (standardverdi: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3585,68 +3910,52 @@ Dette betyr at det trengs en avgift på minimum %2. - + Upgrade wallet to latest format Oppgradér lommebok til nyeste format - + Set key pool size to <n> (default: 100) Angi størrelse på nøkkel-lager til <n> (standardverdi: 100) - + Rescan the block chain for missing wallet transactions Se gjennom blokk-kjeden etter manglende lommeboktransaksjoner - + Attempt to recover private keys from a corrupt wallet.dat Forsøk å berge private nøkler fra en korrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3655,11 +3964,6 @@ Dette betyr at det trengs en avgift på minimum %2. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3671,7 +3975,7 @@ Dette betyr at det trengs en avgift på minimum %2. - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3686,7 +3990,7 @@ Dette betyr at det trengs en avgift på minimum %2. - + Loading Network Averages... @@ -3696,22 +4000,22 @@ Dette betyr at det trengs en avgift på minimum %2. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Sett minimum blokkstørrelse i bytes (standardverdi: 0) @@ -3721,22 +4025,22 @@ Dette betyr at det trengs en avgift på minimum %2. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL valg: (se Bitcoin Wiki for instruksjoner for oppsett av SSL) - + Use OpenSSL (https) for JSON-RPC connections Bruk OpenSSL (https) for JSON-RPC forbindelser - + Server certificate file (default: server.cert) Servers sertifikat (standardverdi: server.cert) @@ -3746,42 +4050,42 @@ Dette betyr at det trengs en avgift på minimum %2. Servers private nøkkel (standardverdi: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Ugyldig beløp for -paytxfee=<beløp>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Advarsel: -paytxfee er satt veldig høyt! Dette er transaksjonsgebyret du betaler når du sender transaksjoner. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Lommeboken %s holder til utenfor data mappen %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... Verifiserer databasens integritet... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3791,22 +4095,37 @@ Dette betyr at det trengs en avgift på minimum %2. Advarsel: wallet.dat korrupt, data reddet! Original wallet.dat lagret som wallet.{timestamp}.bak i %s; hvis din saldo eller dine transaksjoner ikke er korrekte bør du gjenopprette fra en backup. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat korrupt, bergning feilet - + Unknown -socks proxy version requested: %i Ukjent -socks proxy versjon angitt: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Kunne ikke slå opp -bind adresse: '%s' @@ -3816,18 +4135,12 @@ Dette betyr at det trengs en avgift på minimum %2. Kunne ikke slå opp -externalip adresse: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3837,22 +4150,22 @@ Dette betyr at det trengs en avgift på minimum %2. Feil ved lasting av wallet.dat: Lommeboken er skadet - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Advarsel: Feil ved lesing av wallet.dat! Alle taster lest riktig, men transaksjon dataene eller adresse innlegg er kanskje manglende eller feil. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Feil ved lasting av wallet.dat @@ -3867,22 +4180,22 @@ Dette betyr at det trengs en avgift på minimum %2. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Kan ikke binde til %s på denne datamaskinen (bind returnerte feil %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3892,120 +4205,106 @@ Dette betyr at det trengs en avgift på minimum %2. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed Feil: Opprettelse av transaksjonen mislyktes - + Sending... Sender... - + 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. - + Invalid amount Ugyldig beløp - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Advarsel: Denne versjonen er foreldet, oppgradering kreves! + Advarsel: Denne versjonen er foreldet, oppgradering kreves! - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! Advarsel: Lite lagringsplass! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands Kjør i bakgrunnen som daemon og ta imot kommandoer - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Kjør kommando når en lommeboktransaksjon endres (%s i kommando er erstattet med TxID) - + Block creation options: Valg for opprettelse av blokker: - + Failed to listen on any port. Use -listen=0 if you want this. Kunne ikke lytte på noen port. Bruk -listen=0 hvis det er dette du vil. - + Specify wallet file (within data directory) Angi lommebokfil (inne i datamappe) - + Send trace/debug info to console instead of debug.log file Send spor-/feilsøkingsinformasjon til konsollen istedenfor filen debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Krymp filen debug.log når klienten starter (standardverdi: 1 hvis uten -debug) - + Username for JSON-RPC connections Brukernavn for JSON-RPC forbindelser - + Password for JSON-RPC connections Passord for JSON-RPC forbindelser - + Execute command when the best block changes (%s in cmd is replaced by block hash) Utfør kommando når beste blokk endrer seg (%s i kommandoen erstattes med blokkens hash) - + Allow DNS lookups for -addnode, -seednode and -connect Tillat oppslag i DNS for -addnode, -seednode og -connect - + To use the %s option For å bruke %s opsjonen - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4020,7 +4319,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s En feil oppstod under oppsettet av RPC port %u for IPv6, tilbakestilles til IPv4: %s @@ -4039,27 +4338,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Hvis filen ikke finnes, opprett den med leserettighet kun for eier av filen. - + Gridcoin version - + Usage: Bruk: - + Send command to -server or gridcoind - + List commands List opp kommandoer - + Get help for a command Vis hjelpetekst for en kommando @@ -4069,42 +4368,42 @@ Hvis filen ikke finnes, opprett den med leserettighet kun for eier av filen. - + Loading addresses... Laster adresser... - + Invalid -proxy address: '%s' Ugyldig -proxy adresse: '%s' - + Unknown network specified in -onlynet: '%s' Ukjent nettverk angitt i -onlynet '%s' - + Insufficient funds Utilstrekkelige midler - + Loading block index... Laster blokkindeks... - + Add a node to connect to and attempt to keep the connection open Legg til node for tilkobling og hold forbindelsen åpen - + Loading wallet... Laster lommebok... - + Cannot downgrade wallet Kan ikke nedgradere lommebok @@ -4114,17 +4413,17 @@ Hvis filen ikke finnes, opprett den med leserettighet kun for eier av filen.Kan ikke skrive standardadresse - + Rescanning... Leser gjennom... - + Done loading Ferdig med lasting - + Error Feil diff --git a/src/qt/locale/bitcoin_nl.ts b/src/qt/locale/bitcoin_nl.ts index a4026a39af..eb054c62a1 100644 --- a/src/qt/locale/bitcoin_nl.ts +++ b/src/qt/locale/bitcoin_nl.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Dit is experimentele software. Gedistribueerd onder de MIT/X11 software licentie, zie het bijgevoegde bestand COPYING of http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Dit product bevat software ontwikkeld door het OpenSSL Project voor gebruik in d BitcoinGUI - + Sign &message... &Onderteken bericht... @@ -420,7 +429,7 @@ Dit product bevat software ontwikkeld door het OpenSSL Project voor gebruik in d Versleutel of ontsleutel de portemonnee - + Date: %1 Amount: %2 Type: %3 @@ -435,7 +444,7 @@ Adres: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -449,7 +458,7 @@ Adres: %4 &Backup Portemonnee... - + &Change Passphrase... &Wijzig Wachtwoord @@ -554,12 +563,12 @@ Adres: %4 - + New User Wizard - + &Voting @@ -599,7 +608,7 @@ Adres: %4 - + [testnet] [testnetwerk] @@ -752,7 +761,7 @@ Adres: %4 - + %n second(s) %n seconde @@ -804,7 +813,7 @@ Adres: %4 Niet aan het staken. - + &File &Bestand @@ -824,7 +833,7 @@ Adres: %4 - + &Help &Hulp @@ -3387,17 +3396,17 @@ Dit betekend dat een fee van %2 is vereist. bitcoin-core - + Options: Opties: - + This help message Dit helpbericht - + Specify pid file (default: gridcoind.pid) @@ -3407,7 +3416,7 @@ Dit betekend dat een fee van %2 is vereist. Stel datamap in - + Set database cache size in megabytes (default: 25) Stel databankcachegrootte in in megabytes (standaard: 25) @@ -3417,7 +3426,7 @@ Dit betekend dat een fee van %2 is vereist. Stel database cache grootte in in megabytes (standaard: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3427,32 +3436,32 @@ Dit betekend dat een fee van %2 is vereist. Specificeer de time-outtijd in milliseconden (standaard: 5000) - + Connect through socks proxy Verbind door socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Selecteer de versie van socks proxy (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Gebruik proxy tor verborgen diensten (standaard: zelfde als -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Luister voor verbindingen op <poort> (standaard: 15714 of testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Onderhoud maximaal <n> verbindingen naar peers (standaard: 125) - + Connect only to the specified node(s) Verbind alleen naar de gespecificeerde node(s) @@ -3462,62 +3471,246 @@ Dit betekend dat een fee van %2 is vereist. Verbind naar een node om adressen van anderen op te halen, en verbreek vervolgens de verbinding - + Specify your own public address Specificeer uw eigen publieke adres - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Verbind alleen naar nodes in netwerk <net> (IPv4, IPv6 of Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Ontdek eigen IP-adres (standaard: 1 als er wordt geluisterd en geen -externalip is opgegeven) - Find peers using internet relay chat (default: 0) - Zoek peers door gebruik van Internet Relay Chat (standaard: 1) {? 0)} + Zoek peers door gebruik van Internet Relay Chat (standaard: 1) {? 0)} - + Accept connections from outside (default: 1 if no -proxy or -connect) Accepteer verbindingen van buitenaf (standaard: 1 als geen -proxy of -connect is opgegeven) - + Bind to given address. Use [host]:port notation for IPv6 Koppel aan gegeven adres. Gebruik [host]:poort notatie voor IPv6 - + Find peers using DNS lookup (default: 1) Zoek peers doormiddel van DNS lookup (standaard: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synchroniseer tijd met andere connecties. Uitschakelen als de tijd op uw systeem nauwkeurig is bijv. synchroniseren met NTP (standaard: 1) - Sync checkpoints policy (default: strict) - Sync checkpoints beleid (standaard: strikt) + Sync checkpoints beleid (standaard: strikt) - + Threshold for disconnecting misbehaving peers (default: 100) Drempel om verbinding te verbreken naar zich misdragende peers (standaard: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Aantal seconden dat zich misdragende peers niet opnieuw mogen verbinden (standaard: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adres + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maximum per-connectie ontvangstbuffer, <n>*1000 bytes (standaard: 5000) @@ -3527,17 +3720,157 @@ Dit betekend dat een fee van %2 is vereist. Maximum per-connectie zendbuffer, <n>*1000 bytes (standaard: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Bericht + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Gebruik UPnP om de luisterende poort te mappen (standaard: 1 als er wordt geluisterd) @@ -3547,12 +3880,12 @@ Dit betekend dat een fee van %2 is vereist. Gebruik UPnP om de luisterende poort te mappen (standaard: 0) - + Fee per KB to add to transactions you send Vergoeding per KB toe te voegen aan de transacties die u verzendt - + When creating transactions, ignore inputs with value less than this (default: 0.01) Bij het maken van transacties, negeer ingangen met waarde minder dan dit (standaard: 0,01) @@ -3562,12 +3895,12 @@ Dit betekend dat een fee van %2 is vereist. Aanvaard opdrachtregel- en JSON-RPC-opdrachten - + Use the test network Gebruik het testnetwerk - + Output extra debugging information. Implies all other -debug* options Geef extra debugging informatie weer. Impliceert alle andere debug * opties @@ -3582,32 +3915,32 @@ Dit betekend dat een fee van %2 is vereist. Voeg een tijdstempel toe aan debug output - + Send trace/debug info to debugger Stuur trace/debug info naar de debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Wacht op JSON-RPC-connecties op <poort> (standaard: 15715 of testnet: 25715) - + Allow JSON-RPC connections from specified IP address Sta JSON-RPC verbindingen van opgegeven IP-adres toe - + Send commands to node running on <ip> (default: 127.0.0.1) Verstuur commando's naar proces dat op <ip> draait (standaard: 127.0.0.1) - + Require a confirmations for change (default: 0) Vereist een bevestiging voor verandering (standaard: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Dwing transactie scripts gebruik van canonieke PUSH operatoren (standaard: 1) @@ -3617,68 +3950,52 @@ Dit betekend dat een fee van %2 is vereist. Voer opdracht uit zodra een relevante waarschuwing wordt ontvangen (%s in cmd wordt vervangen door bericht) - + Upgrade wallet to latest format Vernieuw portemonnee naar nieuwste versie - + Set key pool size to <n> (default: 100) Stel sleutelpoelgrootte in op <n> (standaard: 100) - + Rescan the block chain for missing wallet transactions Doorzoek de blokketen op ontbrekende portemonnee-transacties - + Attempt to recover private keys from a corrupt wallet.dat Poog de geheime sleutels uit een corrupt wallet.dat bestand terug te halen - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3687,11 +4004,6 @@ Dit betekend dat een fee van %2 is vereist. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3703,7 +4015,7 @@ Dit betekend dat een fee van %2 is vereist. - + How many blocks to check at startup (default: 2500, 0 = all) Hoeveel blokken controleren bij opstarten (standaard: 2500, 0= alles) @@ -3718,7 +4030,7 @@ Dit betekend dat een fee van %2 is vereist. Importeer blokken van extern blk000?.dat bestand - + Loading Network Averages... @@ -3728,22 +4040,22 @@ Dit betekend dat een fee van %2 is vereist. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Stel minimum blokgrootte in in bytes (standaard: 0) @@ -3753,22 +4065,22 @@ Dit betekend dat een fee van %2 is vereist. Stel maximale block grootte in bytes in (standaard: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Stel maximale grootte van high-priority/low-fee transacties in bytes (standaard: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-opties: (zie de Bitcoin wiki voor SSL-instructies) - + Use OpenSSL (https) for JSON-RPC connections Gebruik OpenSSL (https) voor JSON-RPC-verbindingen - + Server certificate file (default: server.cert) Certificaat-bestand voor server (standaard: server.cert) @@ -3782,42 +4094,42 @@ Dit betekend dat een fee van %2 is vereist. Aanvaardbare cijfers (standaard: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Ongeldig bedrag voor -paytxfee=<bedrag>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Waarschuwing: -paytxfee is zeer hoog ingesteld. Dit zijn de transactiekosten die u betaalt bij het versturen van een transactie. - + Invalid amount for -mininput=<amount>: '%s' Ongeldig bedrag voor -mininput = <bedrag>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Portemonnee %s bevindt zich buiten de datamap %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Kan een slot op data directory %s niet verkrijgen. Gridcoin wordt waarschijnlijk al uitgevoerd. - + Verifying database integrity... Database integriteit wordt geverifieërd - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Fout bij het ??initialiseren van de database omgeving %s! Om te herstellen, BACKUP die directory, verwijder dan alles van behalve het wallet.dat. @@ -3827,22 +4139,37 @@ Dit betekend dat een fee van %2 is vereist. Waarschuwing: wallet.dat is corrupt, data is veiliggesteld! Originele wallet.dat is opgeslagen als wallet.{tijdstip}.bak in %s; als uw balans of transacties incorrect zijn dient u een backup terug te zetten. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrupt, veiligstellen mislukt - + Unknown -socks proxy version requested: %i Onbekende -socks proxyversie aangegeven: %i - + Invalid -tor address: '%s' Ongeldig-tor adres: '%s' - + Cannot resolve -bind address: '%s' Kan -bind adres niet herleiden: '%s' @@ -3852,19 +4179,18 @@ Dit betekend dat een fee van %2 is vereist. Kan -externlip adres niet herleiden: '%s' - + Invalid amount for -reservebalance=<amount> Ongeldig bedrag voor -reservebalance = <bedrag> - Unable to sign checkpoint, wrong checkpointkey? - Kan checkpoint niet ondertekenen, verkeerde checkpoint sleutel? + Kan checkpoint niet ondertekenen, verkeerde checkpoint sleutel? - + Error loading blkindex.dat Fout bij laden van blkindex.dat @@ -3874,22 +4200,22 @@ Dit betekend dat een fee van %2 is vereist. Fout bij laden wallet.dat: Portemonnee corrupt - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Waarschuwing: Fout bij het lezen van wallet.dat! Alle sleutels zijn in goede orde uitgelezen, maar transactiedata of adresboeklemma's zouden kunnen ontbreken of fouten bevatten. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Fout bij laden van wallet.dat: Portemonnee vereist een nieuwere versie van Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Portemonnee moet herschreven worden: herstart Gridcoin om te voltooien - + Error loading wallet.dat Fout bij laden wallet.dat @@ -3904,22 +4230,22 @@ Dit betekend dat een fee van %2 is vereist. Importeren van blokketen data bestand. - + Error: could not start node Fout: kan geen verbinding maken met node - + Unable to bind to %s on this computer. Gridcoin is probably already running. Niet mogelijk om %s op deze computer. Gridcoin is waarschijnlijk al geopened. - + Unable to bind to %s on this computer (bind returned error %d, %s) Niet in staat om aan %s te binden op deze computer (bind gaf error %d, %s) - + Error: Wallet locked, unable to create transaction Fout: Portemonnee is op slot, niet mogelijk een transactie te creëren. @@ -3929,120 +4255,114 @@ Dit betekend dat een fee van %2 is vereist. Fout: Portemonnee ontgrendeld voor alleen staking, niet in staat om de transactie te maken. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Fout: Deze transactie vereist een transactie vergoeding van ten minste %s vanwege de hoeveelheid, complexiteit, of het gebruik van recent ontvangen gelden - + Error: Transaction creation failed Fout: Creëren van transactie mislukt. - + Sending... Versturen... - + 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. Fout: De transactie was geweigerd, Dit kan gebeuren als sommige munten in je portemonnee al gebruikt zijn, door het gebruik van een kopie van wallet.dat en de munten in de kopie zijn niet gemarkeerd als gebruikt. - + Invalid amount Ongeldig bedrag - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Waarschuwing: Controleer of de datum en tijd van de computer juist zijn! Als uw klok verkeerd is Gridcoin zal niet goed werken. - Warning: This version is obsolete, upgrade required! - Waarschuwing: Deze versie is verouderd, een upgrade is vereist! + Waarschuwing: Deze versie is verouderd, een upgrade is vereist! - - WARNING: synchronized checkpoint violation detected, but skipped! - WAARSCHUWING: gesynchroniseerd checkpoint overtreding is geconstateerd, maar overgeslagen! + WAARSCHUWING: gesynchroniseerd checkpoint overtreding is geconstateerd, maar overgeslagen! - - + Warning: Disk space is low! Waarschuwing: Hardeschijf raakt vol! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - WAARSCHUWING: Ongeldig controlepunt gevonden! Weergegeven transacties kunnen niet kloppen! Het is mogelijk dat je moet upgraden, of developers moet waarschuwen. + WAARSCHUWING: Ongeldig controlepunt gevonden! Weergegeven transacties kunnen niet kloppen! Het is mogelijk dat je moet upgraden, of developers moet waarschuwen. - + Run in the background as a daemon and accept commands Draai in de achtergrond als daemon en aanvaard opdrachten - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Voer opdracht uit zodra een portemonneetransactie verandert (%s in cmd wordt vervangen door TxID) - + Block creation options: Blokcreatie-opties: - + Failed to listen on any port. Use -listen=0 if you want this. Mislukt om op welke poort dan ook te luisteren. Gebruik -listen=0 as u dit wilt. - + Specify wallet file (within data directory) Specificeer het portemonnee bestand (vanuit de gegevensmap) - + Send trace/debug info to console instead of debug.log file Verzend trace/debug-info naar de console in plaats van het debug.log-bestand - + Shrink debug.log file on client startup (default: 1 when no -debug) Verklein debug.log-bestand bij het opstarten van de client (standaard: 1 als geen -debug) - + Username for JSON-RPC connections Gebruikersnaam voor JSON-RPC-verbindingen - + Password for JSON-RPC connections Wachtwoord voor JSON-RPC-verbindingen - + Execute command when the best block changes (%s in cmd is replaced by block hash) Voer opdracht uit zodra het beste blok verandert (%s in cmd wordt vervangen door blokhash) - + Allow DNS lookups for -addnode, -seednode and -connect Sta DNS-naslag toe voor -addnode, -seednode en -connect - + To use the %s option Om de %s optie te gebruiken - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4057,7 +4377,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Er is een fout opgetreden tijdens het instellen van de inkomende RPC-poort %u op IPv6, terugval naar IPv4: %s @@ -4076,27 +4396,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Als het bestand niet bestaat, maak het dan aan, met een alleen-lezen permissie. - + Gridcoin version Gridcoin versie - + Usage: Gebruik: - + Send command to -server or gridcoind - + List commands Lijst van commando's - + Get help for a command Toon hulp voor een commando @@ -4106,42 +4426,42 @@ Als het bestand niet bestaat, maak het dan aan, met een alleen-lezen permissie.< Gridcoin - + Loading addresses... Adressen aan het laden... - + Invalid -proxy address: '%s' Ongeldig -proxy adres: '%s' - + Unknown network specified in -onlynet: '%s' Onbekend netwerk gespecificeerd in -onlynet: '%s' - + Insufficient funds Ontoereikend saldo - + Loading block index... Blokindex aan het laden... - + Add a node to connect to and attempt to keep the connection open Voeg een node om naar te verbinden toe en probeer de verbinding open te houden - + Loading wallet... Portemonnee aan het laden... - + Cannot downgrade wallet Kan portemonnee niet downgraden @@ -4151,17 +4471,17 @@ Als het bestand niet bestaat, maak het dan aan, met een alleen-lezen permissie.< Kan standaardadres niet schrijven - + Rescanning... Blokketen aan het herscannen... - + Done loading Klaar met laden - + Error Fout diff --git a/src/qt/locale/bitcoin_pam.ts b/src/qt/locale/bitcoin_pam.ts index 4bc372d5f4..0d1276a408 100644 --- a/src/qt/locale/bitcoin_pam.ts +++ b/src/qt/locale/bitcoin_pam.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Metung ya ining experimental software. Me-distribute ya lalam na ning lisensya na ning MIT/X11 software, lawan ye ing makayabeng file COPYING o http://www.opensource.org/licenses/mit-license.php. Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project para gamit king OpenSSL Toolkit(http://www.openssl.org/) at cryptographic software a sinulat ng Eric Young (eay@cryptsoft.com) at UPnp software a sinulat ng Thomas Bernard. @@ -302,7 +311,7 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p BitcoinGUI - + Sign &message... I-sign ing &mensayi @@ -444,12 +453,12 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p - + New User Wizard - + &Voting @@ -529,7 +538,7 @@ Ing produktung ini atin yang makayabeng software a gewa dareng OpenSSL Project p - + [testnet] [testnet] @@ -633,7 +642,7 @@ Address: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -655,7 +664,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -714,7 +723,7 @@ Address: %4 - + %n second(s) @@ -742,7 +751,7 @@ Address: %4 - + &Options... &Pipamilian... @@ -805,7 +814,7 @@ Address: %4 &Pamag-ayus - + &Help &Saup @@ -3327,52 +3336,348 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Pipamilian: - + Specify data directory Pilinan ing data directory - + Connect to a node to retrieve peer addresses, and disconnect Kumunekta king note ban ayakua mula reng peer address, at mako king panga konekta - + Specify your own public address Sabyan me ing kekang pampublikong address - + Accept command line and JSON-RPC commands Tumanggap command line at JSON-RPC commands - + Run in the background as a daemon and accept commands Gumana king gulut bilang daemon at tumanggap commands - + Block creation options: Pipamilian king pamag-gawang block: - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Address + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Failed to listen on any port. Use -listen=0 if you want this. Memali ya ing pamakiramdam kareng gang nanung port. Gamita me ini -listen=0 nung buri me ini. - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mensayi + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + Send trace/debug info to console instead of debug.log file Magpadalang trace/debug info okeng console kesa keng debug.log file - + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3382,67 +3687,97 @@ This label turns red, if the priority is smaller than "medium". - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Username for JSON-RPC connections Username para king JSON-RPC koneksion - + Password for JSON-RPC connections Password para king JSON-RPC koneksion - + Execute command when the best block changes (%s in cmd is replaced by block hash) I-execute ing command istung mialilan ya ing best block (%s in cmd is replaced by block hash) - + Allow DNS lookups for -addnode, -seednode and -connect Payagan ing pamaglawe DNS para king -addnode, -seednode and -connect - + Loading addresses... Lo-load da ne ing address... - + Invalid -proxy address: '%s' Ali katanggap-tanggap a -proxy addresss: '%s' - + Unknown network specified in -onlynet: '%s' E kilalang network ing mepili king -onlynet: '%s' - + Insufficient funds Kulang a pondo - + Loading block index... Lo-load dane ing block index... - + Add a node to connect to and attempt to keep the connection open Magdagdag a node ban kumunekta at subuknan apanatili yang makabuklat ing koneksion - + Loading wallet... Lo-load dane ing wallet... - + Cannot downgrade wallet Ali ya magsilbing i-downgrade ing wallet @@ -3452,27 +3787,27 @@ This label turns red, if the priority is smaller than "medium". Eya misulat ing default address - + Rescanning... I-scan deng pasibayu... - + Done loading Yari ne ing pamag-load - + Error Mali - + To use the %s option Para agamit ing %s a pimamilian - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3487,7 +3822,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3506,27 +3841,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Gridcoin version - + Usage: Pamanggamit: - + Send command to -server or gridcoind - + List commands Listahan dareng commands - + Get help for a command Maniauad saup para kareng command @@ -3536,12 +3871,12 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + This help message Ining saup a mensayi - + Specify pid file (default: gridcoind.pid) @@ -3551,7 +3886,7 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) Ilage ya ing dagul o lati na ing database cache king megabytes (default: 25) @@ -3561,92 +3896,82 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Mag-maintain peka <n> koneksion keng peers (default: 125) - + Connect only to the specified node(s) Kumunekta mu king mepiling node(s) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) I-discover ing sariling IP address (default: 1 istung makiramdam at -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Tumanggap koneksion menibat king kilwal (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3656,7 +3981,7 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3666,22 +3991,22 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network Gamitan ing test network - + Output extra debugging information. Implies all other -debug* options @@ -3696,42 +4021,42 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Payagan ya i JSON-RPC koneksion para king metung a IP address - + Send commands to node running on <ip> (default: 127.0.0.1) Magpadalang command king node a gagana king <ip>(default: 127.0.0.1) - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3741,68 +4066,52 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Upgrade wallet to latest format I-upgrade ing wallet king pekabayung porma - + Set key pool size to <n> (default: 100) I-set ing key pool size king <n>(default: 100) - + Rescan the block chain for missing wallet transactions I-scan pasibayu ing block chain para kareng mauaualang transaksion - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3811,11 +4120,6 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions.Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3827,7 +4131,7 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3842,7 +4146,7 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Loading Network Averages... @@ -3852,22 +4156,22 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Ilage ing pekaditak a dagul na ning block king bytes (default: 0) @@ -3877,22 +4181,22 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Pipamilian ning SSL: (lawen ye ing Bitcoin Wiki para king SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections Gumamit OpenSSL(https) para king JSON-RPC koneksion - + Server certificate file (default: server.cert) Server certificate file (default: server.cert) @@ -3902,42 +4206,42 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions.Server private key (default: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Eya maliari ing alaga keng -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Kapabaluan: Sobra ya katas ing makalage king -paytxfee. Ini ing maging bayad mu para king bayad na ning transaksion istung pepadala me ing transaksion a ini. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3947,22 +4251,37 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i E kilalang -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Eya me-resolve ing -bind address: '%s' @@ -3972,18 +4291,12 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions.Eya me-resolve ing -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3993,22 +4306,22 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions.Me-mali ya ing pamag-load king wallet.dat: Me-corrupt ya ing wallet - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Me-mali ya ing pamag-load king wallet.dat @@ -4023,22 +4336,22 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Ali ya magsilbing mag-bind keng %s kening kompyuter a ini (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4048,57 +4361,43 @@ Nung ing file ala ya, gawa ka gamit ing owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Ing alaga e ya katanggap-tanggap - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Kapabaluan: Ing bersioin a ini laus ne, kailangan nang mag-upgrade! - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - + Kapabaluan: Ing bersioin a ini laus ne, kailangan nang mag-upgrade! - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_pl.ts b/src/qt/locale/bitcoin_pl.ts index 49a0879f32..acbbee4e17 100644 --- a/src/qt/locale/bitcoin_pl.ts +++ b/src/qt/locale/bitcoin_pl.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Oprogramowanie eksperymentalne. Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Podpisz wiado&mość... @@ -420,7 +429,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + Date: %1 Amount: %2 Type: %3 @@ -435,7 +444,7 @@ Adres: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -449,7 +458,7 @@ Adres: %4 Wykonaj kopię zapasową... - + &Change Passphrase... &Zmień hasło... @@ -554,12 +563,12 @@ Adres: %4 - + New User Wizard - + &Voting @@ -599,7 +608,7 @@ Adres: %4 - + [testnet] [testnet] @@ -752,7 +761,7 @@ Adres: %4 - + %n second(s) %n sekunda @@ -788,7 +797,7 @@ Adres: %4 - + &File &Plik @@ -808,7 +817,7 @@ Adres: %4 - + &Help Pomo&c @@ -3362,17 +3371,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opcje: - + This help message Ta wiadomo?? pomocy - + Specify pid file (default: gridcoind.pid) @@ -3382,7 +3391,7 @@ This label turns red, if the priority is smaller than "medium". Wskaż folder danych - + Set database cache size in megabytes (default: 25) Ustaw rozmiar w megabajtach cache-u bazy danych (domy?lnie: 25) @@ -3392,7 +3401,7 @@ This label turns red, if the priority is smaller than "medium". - + Specify configuration file (default: gridcoinresearch.conf) @@ -3402,32 +3411,32 @@ This label turns red, if the priority is smaller than "medium". Wska? czas oczekiwania bezczynno?ci po??czenia w milisekundach (domy?lnie: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Utrzymuj maksymalnie <n> po??cze? z peerami (domy?lnie: 125) - + Connect only to the specified node(s) ??cz tylko do wskazanego w?z?a @@ -3437,62 +3446,238 @@ This label turns red, if the priority is smaller than "medium". Podłącz się do węzła aby otrzymać adresy peerów i rozłącz - + Specify your own public address Podaj swój publiczny adres - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) ??cz z w?z?ami tylko w sieci <net> (IPv4, IPv6 lub Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Odkryj w?asny adres IP (domy?lnie: 1 kiedy w trybie nas?uchu i brak -externalip ) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Akceptuj po??czenia z zewn?trz (domy?lnie: 1 je?li nie ustawiono -proxy lub -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Próg po którym nast?pi roz??czenie nietrzymaj?cych si? zasad peerów (domy?lnie: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Czas w sekundach, przez jaki nietrzymaj?cy si? zasad peerzy nie b?d? mogli ponownie si? pod??czy? (domy?lnie: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adres + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maksymalny bufor odbioru na po??czenie, <n>*1000 bajtów (domy?lnie: 5000) @@ -3502,17 +3687,157 @@ This label turns red, if the priority is smaller than "medium". Maksymalny bufor wysy?u na po??czenie, <n>*1000 bajtów (domy?lnie: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Wiadomość + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) U?ywaj UPnP do mapowania portu nas?uchu (domy?lnie: 1 gdy nas?uchuje) @@ -3522,12 +3847,12 @@ This label turns red, if the priority is smaller than "medium". U?ywaj UPnP do mapowania portu nas?uchu (domy?lnie: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3537,12 +3862,12 @@ This label turns red, if the priority is smaller than "medium". Akceptuj linię poleceń oraz polecenia JSON-RPC - + Use the test network U?yj sieci testowej - + Output extra debugging information. Implies all other -debug* options @@ -3557,32 +3882,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Przyjmuj po??czenia JSON-RPC ze wskazanego adresu IP - + Send commands to node running on <ip> (default: 127.0.0.1) Wysy?aj polecenia do w?z?a dzia?aj?cego na <ip> (domy?lnie: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3592,68 +3917,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format Zaktualizuj portfel do najnowszego formatu. - + Set key pool size to <n> (default: 100) Ustaw rozmiar puli kluczy na <n> (domy?lnie: 100) - + Rescan the block chain for missing wallet transactions Przeskanuj blok ?a?cuchów ?eby znale?? zaginione transakcje portfela - + Attempt to recover private keys from a corrupt wallet.dat Próbuj odzyska? klucze prywatne z uszkodzonego wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3662,11 +3971,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3678,7 +3982,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3693,7 +3997,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3703,22 +4007,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Ustaw minimalny rozmiar bloku w bajtach (domy?lnie: 0) @@ -3728,22 +4032,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opcje SSL: (odwied? Bitcoin Wiki w celu uzyskania instrukcji) - + Use OpenSSL (https) for JSON-RPC connections U?yj OpenSSL (https) do po??cze? JSON-RPC - + Server certificate file (default: server.cert) Plik certyfikatu serwera (domy?lnie: server.cert) @@ -3753,42 +4057,42 @@ This label turns red, if the priority is smaller than "medium". Klucz prywatny serwera (domy?lnie: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Nieprawid?owa kwota dla -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Ostrze?enie: -paytxfee jest bardzo du?y. To jest prowizja za transakcje, któr? p?acisz, gdy wysy?asz monety. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3798,22 +4102,37 @@ This label turns red, if the priority is smaller than "medium". Ostrze?enie: Odtworzono dane z uszkodzonego pliku wallet.dat! Oryginalny wallet.dat zosta? zapisany jako wallet.{timestamp}.bak w %s; je?li twoje saldo lub transakcje s? niepoprawne powiniene? odtworzy? kopi? zapasow?. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat uszkodzony, odtworzenie si? nie powiod?o - + Unknown -socks proxy version requested: %i Nieznana wersja proxy w -socks: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Nie mo?na uzyska? adresu -bind: '%s' @@ -3823,18 +4142,12 @@ This label turns red, if the priority is smaller than "medium". Nie mo?na uzyska? adresu -externalip: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3844,22 +4157,22 @@ This label turns red, if the priority is smaller than "medium". B??d ?adowania wallet.dat: Uszkodzony portfel - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Ostrze?enie: b??d odczytu wallet.dat! Wszystkie klucze zosta?y odczytane, ale mo?e brakowa? pewnych danych transakcji lub wpisów w ksi??ce adresowej lub mog? one by? nieprawid?owe. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat B??d ?adowania wallet.dat @@ -3874,22 +4187,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Nie mo?na przywi?za? %s na tym komputerze (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3899,120 +4212,106 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Nieprawid?owa kwota - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Uwaga: Ta wersja jest przestarza?a, aktualizacja wymagana! + Uwaga: Ta wersja jest przestarza?a, aktualizacja wymagana! - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands Uruchom w tle jako daemon i przyjmuj polecenia - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Wykonaj polecenie, kiedy transakcja portfela ulegnie zmianie (%s w poleceniu zostanie zastąpione przez TxID) - + Block creation options: Opcje tworzenia bloku: - + Failed to listen on any port. Use -listen=0 if you want this. Próba nasłuchiwania na jakimkolwiek porcie nie powiodła się. Użyj -listen=0 jeśli tego chcesz. - + Specify wallet file (within data directory) Określ plik portfela (w obrębie folderu danych) - + Send trace/debug info to console instead of debug.log file Wyślij informację/raport do konsoli zamiast do pliku debug.log. - + Shrink debug.log file on client startup (default: 1 when no -debug) Zmniejsz plik debug.log przy starcie programu (domyślnie: 1 jeśli nie użyto -debug) - + Username for JSON-RPC connections Nazwa użytkownika dla połączeń JSON-RPC - + Password for JSON-RPC connections Hasło do połączeń JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Wykonaj polecenie kiedy najlepszy blok ulegnie zmianie (%s w komendzie zastanie zastąpione przez hash bloku) - + Allow DNS lookups for -addnode, -seednode and -connect Zezwól -addnode, -seednode i -connect na łączenie się z serwerem DNS - + To use the %s option Aby u?y? opcji %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4027,7 +4326,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + 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 RPC %u w tryb nas?uchu dla IPv6, korzystam z IPv4: %s @@ -4046,27 +4345,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Je?eli plik nie istnieje, utwórz go z uprawnieniami w?a?ciciela-tylko-do-odczytu. - + Gridcoin version - + Usage: U?ycie: - + Send command to -server or gridcoind - + List commands Lista polece? - + Get help for a command Uzyskaj pomoc do polecenia @@ -4076,42 +4375,42 @@ Je?eli plik nie istnieje, utwórz go z uprawnieniami w?a?ciciela-tylko-do-odczyt - + Loading addresses... Wczytywanie adresów... - + Invalid -proxy address: '%s' Nieprawidłowy adres -proxy: '%s' - + Unknown network specified in -onlynet: '%s' Nieznana sieć w -onlynet: '%s' - + Insufficient funds Niewystarczające środki - + Loading block index... Ładowanie indeksu bloku... - + Add a node to connect to and attempt to keep the connection open Dodaj węzeł do podłączenia się i próbuj utrzymać to połączenie - + Loading wallet... Wczytywanie portfela... - + Cannot downgrade wallet Nie można dezaktualizować portfela @@ -4121,17 +4420,17 @@ Je?eli plik nie istnieje, utwórz go z uprawnieniami w?a?ciciela-tylko-do-odczyt Nie można zapisać domyślnego adresu - + Rescanning... Ponowne skanowanie... - + Done loading Wczytywanie zakończone - + Error Błąd diff --git a/src/qt/locale/bitcoin_pt_BR.ts b/src/qt/locale/bitcoin_pt_BR.ts index e56597cf5f..bb97a02501 100644 --- a/src/qt/locale/bitcoin_pt_BR.ts +++ b/src/qt/locale/bitcoin_pt_BR.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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 software experimental.? ? Distribuido sob a licença de software MIT/X11, veja o arquivo anexo COPYING ou http://www.opensource.org/licenses/mit-license.php.? @@ -304,7 +313,7 @@ Este produto inclui software desenvolvido pelo Projeto OpenSSL para uso no OpenS BitcoinGUI - + Sign &message... Assinar &mensagem... @@ -420,7 +429,7 @@ Este produto inclui software desenvolvido pelo Projeto OpenSSL para uso no OpenS Cryptografar ou Decryptografar carteira - + Date: %1 Amount: %2 Type: %3 @@ -434,7 +443,7 @@ Endereço: %4 {1 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -448,7 +457,7 @@ Endereço: %4 {1 &Backup da carteira... - + &Change Passphrase... &Mudar frase de segurança... @@ -553,12 +562,12 @@ Endereço: %4 {1 - + New User Wizard - + &Voting @@ -598,7 +607,7 @@ Endereço: %4 {1 - + [testnet] [testnet] @@ -750,7 +759,7 @@ Endereço: %4 - + %n second(s) %n segundo @@ -782,7 +791,7 @@ Endereço: %4 - + &File &Arquivo @@ -802,7 +811,7 @@ Endereço: %4 - + &Help A&juda @@ -3351,17 +3360,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opções: - + This help message Esta mensagem de ajuda - + Specify pid file (default: gridcoind.pid) @@ -3371,7 +3380,7 @@ This label turns red, if the priority is smaller than "medium". Especificar o diretório de dados - + Set database cache size in megabytes (default: 25) Definir o tamanho do cache do banco de dados em megabytes (padrão: 25) @@ -3381,7 +3390,7 @@ This label turns red, if the priority is smaller than "medium". - + Specify configuration file (default: gridcoinresearch.conf) @@ -3391,32 +3400,32 @@ This label turns red, if the priority is smaller than "medium". Especifique o tempo limite (timeout) da conexão em milissegundos (padrão: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Manter no máximo <n> conexões aos peers (padrão: 125) - + Connect only to the specified node(s) Conectar apenas a nó(s) específico(s) @@ -3426,62 +3435,238 @@ This label turns red, if the priority is smaller than "medium". Conectar a um nó para receber endereços de participantes, e desconectar. - + Specify your own public address Especificar seu próprio endereço público - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Apenas conectar em nós na rede <net> (IPv4, IPv6, ou Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Descobrir os próprios endereços IP (padrão: 1 quando no modo listening e opção -externalip não estiver presente) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) Aceitar conexões externas (padrão: 1 se opções -proxy ou -connect não estiverem presentes) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) Limite para desconectar peers mal comportados (padrão: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Número de segundos para impedir que peers mal comportados reconectem (padrão: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Endereço + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Buffer máximo de recebimento por conexão, <n>*1000 bytes (padrão: 5000) @@ -3491,17 +3676,157 @@ This label turns red, if the priority is smaller than "medium". Buffer máximo de envio por conexão, <n>*1000 bytes (padrão: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mensagem + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Usar UPnP para mapear porta de escuta (padrão: 1 quando estiver escutando) @@ -3511,12 +3836,12 @@ This label turns red, if the priority is smaller than "medium". Usar UPnP para mapear porta de escuta (padrão: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3526,12 +3851,12 @@ This label turns red, if the priority is smaller than "medium". Aceitar linha de comando e comandos JSON-RPC - + Use the test network Usar rede de teste - + Output extra debugging information. Implies all other -debug* options @@ -3546,32 +3871,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permitir conexões JSON-RPC de endereços IP específicos - + Send commands to node running on <ip> (default: 127.0.0.1) Enviar comando para nó rodando em <ip> (pardão: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3581,68 +3906,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format Atualizar carteira para o formato mais recente - + Set key pool size to <n> (default: 100) Determinar tamanho do pool de endereços para <n> (padrão: 100) - + Rescan the block chain for missing wallet transactions Re-escanear blocos procurando por transações perdidas da carteira - + Attempt to recover private keys from a corrupt wallet.dat Tentar recuperar chaves privadas de um arquivo wallet.dat corrompido - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3651,11 +3960,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3667,7 +3971,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3682,7 +3986,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3692,22 +3996,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Determinar tamanho mínimo de bloco em bytes (padrão: 0) @@ -3717,22 +4021,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opções SSL: (veja a Wiki do Bitcoin para instruções de configuração SSL) - + Use OpenSSL (https) for JSON-RPC connections Usar OpenSSL (https) para conexões JSON-RPC - + Server certificate file (default: server.cert) Arquivo de certificado do servidor (padrão: server.cert) @@ -3742,42 +4046,42 @@ This label turns red, if the priority is smaller than "medium". Chave privada do servidor (padrão: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' Quantidade inválida para -paytxfee=<quantidade>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Cuidado: valor de -paytxfee escolhido é muito alto! Este é o valor da taxa de transação que você irá pagar se enviar a transação. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3787,22 +4091,37 @@ This label turns red, if the priority is smaller than "medium". Aviso: wallet.dat corrompido, dados recuperados! Arquivo wallet.dat original salvo como wallet.{timestamp}.bak em %s; se seu saldo ou transações estiverem incorretos, você deve restauras o backup. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrompido, recuperação falhou - + Unknown -socks proxy version requested: %i Versão desconhecida do proxy -socks requisitada: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' Impossível encontrar o endereço -bind: '%s' @@ -3812,18 +4131,12 @@ This label turns red, if the priority is smaller than "medium". Impossível encontrar endereço -externalip: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3833,22 +4146,22 @@ This label turns red, if the priority is smaller than "medium". Erro ao carregar wallet.dat: Carteira corrompida - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Cuidado: erro ao ler arquivo wallet.dat! Todas as chaves foram lidas corretamente, mas dados transações e do catálogo de endereços podem estar faltando ou estar incorretas. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat Erro ao carregar wallet.dat @@ -3863,22 +4176,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Impossível vincular a %s neste computador (bind retornou erro %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3888,120 +4201,106 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount Quantidade inválida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - Warning: This version is obsolete, upgrade required! - Cuidado: Esta versão está obsoleta, atualização exigida! + Cuidado: Esta versão está obsoleta, atualização exigida! - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands Rodar em segundo plano como serviço e aceitar comandos - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Executa um comando quando uma transação da carteira mudar (%s no comando será substituído por TxID) - + Block creation options: Opções de criação de blocos: - + Failed to listen on any port. Use -listen=0 if you want this. Falha ao escutar em qualquer porta. Use -listen=0 se você quiser isso. - + Specify wallet file (within data directory) Especifique o arquivo da carteira (dentro do diretório de dados) - + Send trace/debug info to console instead of debug.log file Mandar informação de trace/debug para o console em vez de para o arquivo debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Encolher arquivo debug.log ao iniciar o cliente (padrão 1 se opção -debug não estiver presente) - + Username for JSON-RPC connections Nome de usuário para conexões JSON-RPC - + Password for JSON-RPC connections Senha para conexões JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Executa um comando quando o melhor bloco mudar (%s no comando será substituído pelo hash do bloco) - + Allow DNS lookups for -addnode, -seednode and -connect Permitir consultas DNS para -addnode, -seednode e -connect - + To use the %s option Para usar a opção %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4016,7 +4315,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Um erro ocorreu ao configurar a porta RPC %u para escuta em IPv6, voltando ao IPv4: %s @@ -4035,27 +4334,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Se o arquivo não existir, crie um com permissão de leitura apenas pelo dono - + Gridcoin version - + Usage: Uso: - + Send command to -server or gridcoind - + List commands Lista de comandos - + Get help for a command Obtenha ajuda sobre um comando @@ -4065,42 +4364,42 @@ Se o arquivo não existir, crie um com permissão de leitura apenas pelo dono - + Loading addresses... Carregando endereços... - + Invalid -proxy address: '%s' Endereço -proxy inválido: '%s' - + Unknown network specified in -onlynet: '%s' Rede desconhecida especificada em -onlynet: '%s' - + Insufficient funds Saldo insuficiente - + Loading block index... Carregando índice de blocos... - + Add a node to connect to and attempt to keep the connection open Adicionar um cliente para se conectar e tentar manter a conexão ativa - + Loading wallet... Carregando carteira... - + Cannot downgrade wallet Não é possível fazer downgrade da carteira @@ -4110,17 +4409,17 @@ Se o arquivo não existir, crie um com permissão de leitura apenas pelo donoNão foi possível escrever no endereço padrão - + Rescanning... Re-escaneando... - + Done loading Carregamento terminado! - + Error Erro diff --git a/src/qt/locale/bitcoin_pt_PT.ts b/src/qt/locale/bitcoin_pt_PT.ts index b9ca609c48..1a8d46a781 100644 --- a/src/qt/locale/bitcoin_pt_PT.ts +++ b/src/qt/locale/bitcoin_pt_PT.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. @@ -304,7 +313,7 @@ Este produto inclui software desenvolvido pelo Projecto OpenSSL para uso no Open BitcoinGUI - + Sign &message... Assinar &mensagem... @@ -420,7 +429,7 @@ Este produto inclui software desenvolvido pelo Projecto OpenSSL para uso no Open Encriptar ou desencriptar carteira - + Date: %1 Amount: %2 Type: %3 @@ -435,7 +444,7 @@ Endereço: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -449,7 +458,7 @@ Endereço: %4 Efetuar &Cópia de Segurança da Carteira... - + &Change Passphrase... Alterar &Frase de Segurança... @@ -586,12 +595,12 @@ Endereço: %4 - + New User Wizard Assistente de Novo Utilizador - + &Voting &Votações @@ -647,7 +656,7 @@ Endereço: %4 - + [testnet] [rede de testes] @@ -800,7 +809,7 @@ Endereço: %4 - + %n second(s) %n segundo @@ -864,7 +873,7 @@ Endereço: %4 Não realizando stake - + &File &Ficheiro @@ -884,7 +893,7 @@ Endereço: %4 &Avançado - + &Help &Ajuda @@ -3497,12 +3506,12 @@ Isto significa que uma taxa de pelo menos %2 é necesária. bitcoin-core - + Options: Opções: - + This help message Esta mensagem de ajuda @@ -3511,7 +3520,7 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Especificar ficheiro de configuração (por defeito: gridcoin.conf) - + Specify pid file (default: gridcoind.pid) Especificar ficheiro pid (por defeito: gridcoin.pid) @@ -3521,7 +3530,7 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Especificar pasta de dados - + Set database cache size in megabytes (default: 25) Definir o tamanho da cache da base de dados em megabytes (por defeito: 25) @@ -3531,7 +3540,7 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Definir tamanho do log da base de dados no disco (por defeito: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3541,32 +3550,32 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Especificar tempo de espera da ligação em millisegundos (por defeito: 5000) - + Connect through socks proxy Ligar através de socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Seleccione a versão do socks proxy a utilizar (4-5. por defeito: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Utilizar proxy para verificar serviços ocultos do tor (por defeito: o mesmo que -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Escutar ligações em on <port> (por defeito: 32749 na testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Manter no máximo <n> ligações a peers (por defeito: 125) - + Connect only to the specified node(s) Ligar apenas ao(s) nódulo(s) especificado(s) @@ -3576,62 +3585,246 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Ligar a um nó para recuperar endereços de pares, e desligar - + Specify your own public address Especifique o seu endereço público - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Apenas ligar a nódulos na rede <net> (IPv4, IPv6 ou Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Descobrir endereço IP próprio (por defeito: 1 ao escutar e sem -externalip) - Find peers using internet relay chat (default: 0) - Encontrar peers utilizando irc (por defeito: 0) + Encontrar peers utilizando irc (por defeito: 0) - + Accept connections from outside (default: 1 if no -proxy or -connect) Aceitar ligações externas (por defeito: 1 sem -proxy ou -connect) - + Bind to given address. Use [host]:port notation for IPv6 Ligar ao endereço fornecido. Usar [host]:por notação para IPv6 - + Find peers using DNS lookup (default: 1) Encontrar peers utilizando o DNS lookup - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Sincronizar tempo com outros nódulos. Desabilitar se o tempo no seu sistema for preciso, por exemplo a sincronizar com NTP (por defeito: 1) - Sync checkpoints policy (default: strict) - Sincronizar politíca de checkpoints (por defeito: rigoroso) + Sincronizar politíca de checkpoints (por defeito: rigoroso) - + Threshold for disconnecting misbehaving peers (default: 100) Tolerância para desligar peers mal-formados (por defeito: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Número de segundos a impedir que peers mal-formados se liguem de novo (por defeito: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Endereço + + + + Alert: + + + + + Answer + + + + + Answers + Respostas + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Buffer máximo de recepção por ligação, <n>*1000 bytes (por defeito: 5000) @@ -3641,17 +3834,157 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Buffer máximo de envio por ligação, <n>*1000 bytes (por defeito: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mensagem + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + Questão + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + Tipo de Partilha + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + Título + + + + URL + URL + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Usar UPnP para mapear a porta de escuta (padrão: 1 ao escutar) @@ -3661,12 +3994,12 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Usar UPnP para mapear a porta de escuta (padrão: 0) - + Fee per KB to add to transactions you send Taxa por kb para adicionar às transações que enviou - + When creating transactions, ignore inputs with value less than this (default: 0.01) Quando criando transações, ignorar entradas com valor inferior a este (por defeito: 0.01) @@ -3676,12 +4009,12 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Aceitar comandos de linha de comandos e JSON-RPC - + Use the test network Utilizar a rede de testes - testnet - + Output extra debugging information. Implies all other -debug* options Informação de depuração de saída. implica todas as outras opções de -debug* @@ -3696,32 +4029,32 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Prepend debug output with timestamp - + Send trace/debug info to debugger Enviar informações rastreio/depuração para o debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Escuta para ligações JSON-RPC em <port> (por defeito: 15715 ou testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permitir ligações JSON-RPC do endereço IP especificado - + Send commands to node running on <ip> (default: 127.0.0.1) Enviar comandos para o nódulo a correr em <ip> (por defeito: 127.0.0.1) - + Require a confirmations for change (default: 0) Necessita de confirmação para alteração (por defeito: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Forçar scripts de transação a utilizarem operadores de PUSH @@ -3731,68 +4064,52 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Executar comando quando um alerta relevante foi recebido (%s no cmd é substituido pela mensagem) - + Upgrade wallet to latest format Atualize a carteira para o formato mais recente - + Set key pool size to <n> (default: 100) Definir o tamanho da memória de chaves para <n> (por defeito: 100) - + Rescan the block chain for missing wallet transactions Reexaminar a cadeia de blocos para transações em falta na carteira - + Attempt to recover private keys from a corrupt wallet.dat Tentar recuperar chaves privadas de um wallet.dat corrupto - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3801,11 +4118,6 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3817,7 +4129,7 @@ Isto significa que uma taxa de pelo menos %2 é necesária. - + How many blocks to check at startup (default: 2500, 0 = all) Quanto blocos são verificados no arranque (por defeito: 2500, 0 = todos) @@ -3832,7 +4144,7 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Importar blocos de ficheiro externo blk000?dat - + Loading Network Averages... @@ -3842,22 +4154,22 @@ Isto significa que uma taxa de pelo menos %2 é necesária. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Definir tamanho miní­mo de um bloco em bytes (por defeito: 0) @@ -3867,22 +4179,22 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Definir tamanho do bloco em bytes (por defeito: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Definir tamanho máximo das transações de alta prioridade/baixa taxa em bytes (por defeito: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opções SSL: (ver a Wiki Bitcoin para instruções de configuração SSL) - + Use OpenSSL (https) for JSON-RPC connections Usar OpenSSL (https) para ligações JSON-RPC - + Server certificate file (default: server.cert) Ficheiro de certificado do servidor (por defeito: server.cert) @@ -3896,42 +4208,42 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Cifras aceitáveus (por defeito: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Quantia inválida para -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Atenção: -paytxfee está definida com um valor muito elevado! Esta é a taxa que irá pagar se enviar uma transação. - + Invalid amount for -mininput=<amount>: '%s' Quantia inválida para -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. Inicialização de verificação de sanidade falhou. Gridcoin está a encerrar. - + Wallet %s resides outside data directory %s. A carteira %s reside fora da directoria de dados %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Não foi possivel cadear a diretoria de dados %s. O Gridcoin já está provavelmente em execução. - + Verifying database integrity... Verificando integridade da base de dados... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Erro ao iniciar o ambiente da base de dados %s! Para recuperar, GUARDE ESSA DIRETORIA, depois remova tudo, exceto o wallet.dat. @@ -3941,22 +4253,37 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Atenção: wallet.dat corrupto, dados recuperados! wallet.dat original salvo como wallet.{timestamp}.bak em %s; se o seu saldo ou transações estiverem incorretos, deverá recuperar uma cópia de segurança. - + + Vote + Voto + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corrupta, recuperação falhou - + Unknown -socks proxy version requested: %i Versão de proxy desconhecida -socks necessária: %i - + Invalid -tor address: '%s' Endereço -tor inválido: '%s' - + Cannot resolve -bind address: '%s' Não foi possivel resolver o endereço -bind: '%s' @@ -3966,18 +4293,17 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Não foi possivel resolver o endereço -externalip: '%s' - + Invalid amount for -reservebalance=<amount> Quantia inválida para - reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - Incapaz de verificar checkpoint, chave de checkpoint errada? + Incapaz de verificar checkpoint, chave de checkpoint errada? - + Error loading blkindex.dat Erro ao carregar blkindex.dat @@ -3987,22 +4313,22 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Erro ao carregar wallet.dat: Carteira corrompida - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Atenção: erro ao ler wallet.dat! Todas as chaves foram lidas correctamente, mas dados de transação ou do livro de endereços podem estar em falta ou incorretos. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Erro ao carregar wallet.dat: A carteira necessira de uma versão mais recente do Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete A carteira precisa de ser reescrita: reinicie o Gridcoin para concluir - + Error loading wallet.dat Erro ao carregar wallet.dat @@ -4017,22 +4343,22 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Importando ficheiro de dados do bootstrap da cadeia. - + Error: could not start node Erro: Não possivel começar o nódulo - + Unable to bind to %s on this computer. Gridcoin is probably already running. Não foi possível ligar %s neste computador. O Gridcoin já está possivelmente a ser executado. - + Unable to bind to %s on this computer (bind returned error %d, %s) Incapaz de vincular a %s neste computador (ligação retornou erro %d, %s) - + Error: Wallet locked, unable to create transaction Erro: Carteira bloqueada, incapaz de criar transação @@ -4042,120 +4368,114 @@ Isto significa que uma taxa de pelo menos %2 é necesária. Erro: Carteira desbloqueada para stake apenas, incapaz de criar transação. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Erro: Esta transação necessita de uma taxa de transação de pelo menos %s devido a esta quantia, complexidade, ou utilização de fundos recebidos recentemente - + Error: Transaction creation failed Erro: Criação de transação fallhou - + Sending... Enviando... - + 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 transação foi rejeitada. Isto pode acontecer se algumas das moedas na sua carteira já tiverem sido gastas, por exemplo se as usou na cópia da sua wallet.dat, mas não foram marcadas como gastas aqui. - + Invalid amount Quantia inválida - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Aviso: Por favor verifique que a data e tempo 's do seu computador estão corretos! Se o seu relógio estiver incorreto, o Gridcoin não funcionará bem. - Warning: This version is obsolete, upgrade required! - Atenção: Esta versão está obsoleta, actualização necessária! + Atenção: Esta versão está obsoleta, actualização necessária! - - WARNING: synchronized checkpoint violation detected, but skipped! - AVISO: violação detetada na sincronização de checkpoint, mas ignorada! + AVISO: violação detetada na sincronização de checkpoint, mas ignorada! - - + Warning: Disk space is low! Aviso: Pouco disco em espaço! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - AVISO: Checkpoint inválido encontrado! As transações mostradas podem não ser corretas! Pode necessitar de actualizar ou notificar os desenvolvedorees. + AVISO: Checkpoint inválido encontrado! As transações mostradas podem não ser corretas! Pode necessitar de actualizar ou notificar os desenvolvedorees. - + Run in the background as a daemon and accept commands Correr o processo em segundo plano e aceitar comandos - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Executar o comando quando uma transação da carteira muda (no comando, %s é substituído pela Id. da Transação) - + Block creation options: Opções da criação de bloco: - + Failed to listen on any port. Use -listen=0 if you want this. Falhou a escutar em qualquer porta. Use -listen=0 se quiser isto. - + Specify wallet file (within data directory) Especifique ficheiro de carteira (dentro da pasta de dados) - + Send trace/debug info to console instead of debug.log file Enviar informação de rastreio/depuração para a consola e não para o ficheiro debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Encolher ficheiro debug.log ao iniciar o cliente (por defeito: 1 sem -debug definido) - + Username for JSON-RPC connections Nome de utilizador para ligações JSON-RPC - + Password for JSON-RPC connections Palavra-passe para ligações JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Executar o comando quando o melhor bloco muda (no comando, %s é substituído pela hash do bloco) - + Allow DNS lookups for -addnode, -seednode and -connect Permitir procuras DNS para -addnode, -seednode e -connect - + To use the %s option Para usar as %s opções %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4180,7 +4500,7 @@ por examplo: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Ocorreu um erro ao definir a porta %u do serviço RPC a escutar em IPv6, a uitlizar IPv4: %s @@ -4199,27 +4519,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Se o ficheiro não existir, crie-o com permissões de leitura. - + Gridcoin version Versão do Gridcoin - + Usage: Utilização: - + Send command to -server or gridcoind Enviar comando ao -server ou gridcoin - + List commands Listar comandos - + Get help for a command Obter ajuda para um comando @@ -4229,42 +4549,42 @@ Se o ficheiro não existir, crie-o com permissões de leitura. Gridcoin - + Loading addresses... A carregar os endereços... - + Invalid -proxy address: '%s' Endereço -proxy inválido: '%s' - + Unknown network specified in -onlynet: '%s' Rede desconhecida especificada em -onlynet: '%s' - + Insufficient funds Fundos insuficientes - + Loading block index... A carregar o índice de blocos... - + Add a node to connect to and attempt to keep the connection open Adicionar um nó para se ligar e tentar manter a ligação aberta - + Loading wallet... A carregar a carteira... - + Cannot downgrade wallet Impossível mudar a carteira para uma versão anterior @@ -4274,17 +4594,17 @@ Se o ficheiro não existir, crie-o com permissões de leitura. Impossível escrever endereço por defeito - + Rescanning... Reexaminando... - + Done loading Carregamento concluído - + Error Erro diff --git a/src/qt/locale/bitcoin_ro_RO.ts b/src/qt/locale/bitcoin_ro_RO.ts index d7a5500d3f..6c8e903ae3 100644 --- a/src/qt/locale/bitcoin_ro_RO.ts +++ b/src/qt/locale/bitcoin_ro_RO.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Acesta este un software experimental. Distribuit sub licen?a MIT/X11, vezi fi?ierul înso?itor COPYING sau http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Acest produs include programe dezvoltate de c?tre OpenSSL Project pentru a fi fo BitcoinGUI - + Sign &message... Semnează &mesaj... @@ -529,12 +538,12 @@ Acest produs include programe dezvoltate de c?tre OpenSSL Project pentru a fi fo - + New User Wizard - + &Voting @@ -574,7 +583,7 @@ Acest produs include programe dezvoltate de c?tre OpenSSL Project pentru a fi fo - + [testnet] [testnet] @@ -718,7 +727,7 @@ Adresa: %4 - + %n second(s) @@ -784,7 +793,7 @@ Adresa: %4 Not staking - + &File &Fişier @@ -804,7 +813,7 @@ Adresa: %4 - + &Help A&jutor @@ -3396,17 +3405,17 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? bitcoin-core - + Options: Opţiuni: - + This help message Acest mesaj de ajutor - + Specify pid file (default: gridcoind.pid) @@ -3416,7 +3425,7 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Specificaţi dosarul de date - + Set database cache size in megabytes (default: 25) Seteaz? m?rimea cache a bazei de date în megabi?i (implicit: 25) @@ -3426,37 +3435,37 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Seteaz? m?rimea cache a bazei de date în megabi?i (implicit: 100) - + Specify connection timeout in milliseconds (default: 5000) Specific? intervalul maxim de conectare în milisecunde (implicit: 5000) - + Connect through socks proxy Conecteaz?-te printr-un proxy socks - + Select the version of socks proxy to use (4-5, default: 5) Selectati versiunea de proxy socks(4-5, implicit: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Utilizati proxy pentru a ajunge la serviciile tor (implicit: la fel ca proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Ascult? pentru conect?ri pe <port> (implicit: 15714 sau testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Men?ine cel mult <n> conexiuni cu partenerii (implicit: 125) - + Connect only to the specified node(s) Conecteaza-te doar la nod(urile) specifice @@ -3466,62 +3475,246 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Se conectează la un nod pentru a obţine adresele partenerilor, şi apoi se deconectează - + Specify your own public address Specificaţi adresa dvs. publică - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Efectueaz? conexiuni doar c?tre nodurile din re?eaua <net> (IPv4, IPv6 sau Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Descopera propria ta adresa IP (intial: 1) - Find peers using internet relay chat (default: 0) - Gaseste noduri fosoling irc (implicit: 1) {0)?} + Gaseste noduri fosoling irc (implicit: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Accept? conexiuni din afar? (implicit: 1 dac? nu se folose?te -proxy sau -connect) - + Bind to given address. Use [host]:port notation for IPv6 Leaga la o adresa data. Utilizeaza notatie [host]:port pt IPv6 - + Find peers using DNS lookup (default: 1) Gaseste peers folosind cautare DNS(implicit: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Sincronizeaz? timp cu alte noduri. Dezactiveaz? daca timpul de pe sistemul dumneavoastr? este precis ex: sincronizare cu NTP (implicit: 1) - Sync checkpoints policy (default: strict) - Sincronizeaza politica checkpoint(implicit: strict) + Sincronizeaza politica checkpoint(implicit: strict) - + Threshold for disconnecting misbehaving peers (default: 100) Prag pentru deconectarea partenerilor care nu func?ioneaz? corect (implicit: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Num?rul de secunde pentru a preveni reconectarea partenerilor care nu func?ioneaz? corect (implicit: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Tampon maxim pentru recep?ie per conexiune, <n>*1000 bai?i (implicit: 5000) @@ -3531,17 +3724,157 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Tampon maxim pentru transmitere per conexiune, <n>*1000 bai?i (implicit: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Mesaj + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Foloseste UPnP pentru a vedea porturile (initial: 1 cand listezi) @@ -3551,12 +3884,12 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Foloseste UPnP pentru a vedea porturile (initial: 0) - + Fee per KB to add to transactions you send Comision pe kB de adaugat la tranzactiile pe care le trimiti - + When creating transactions, ignore inputs with value less than this (default: 0.01) Când crea?i tranzac?ii, ignora?i intr?ri cu valori mai mici decât aceasta (implicit: 0,01) @@ -3566,17 +3899,17 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Acceptă comenzi din linia de comandă şi comenzi JSON-RPC - + Run in the background as a daemon and accept commands Rulează în fundal ca un demon şi acceptă comenzi - + Use the test network Utilizeaz? re?eaua de test - + Output extra debugging information. Implies all other -debug* options Extra informatii despre depanare. Implica toate optiunile -debug* @@ -3591,32 +3924,32 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Ataseaza output depanare cu log de timp - + Send trace/debug info to debugger Trimite informa?iile trace/debug la consol? - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Ascult? pentru conexiuni JSON-RPC pe <port> (implicit:15715 sau testnet: 25715) - + Allow JSON-RPC connections from specified IP address Permite conexiuni JSON-RPC de la adresa IP specificat? - + Send commands to node running on <ip> (default: 127.0.0.1) Trimite comenzi la nodul care ruleaz? la <ip> (implicit: 127.0.0.1) - + Require a confirmations for change (default: 0) Necesita confirmari pentru schimbare (implicit: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Enforseaza tranzactiile script sa foloseasca operatori canonici PUSH(implicit: 1) @@ -3626,68 +3959,52 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Execut? o comand? când o alerta relevantâ este primitâ(%s in cmd este înlocuit de mesaj) - + Upgrade wallet to latest format Actualizeaz? portofelul la ultimul format - + Set key pool size to <n> (default: 100) Seteaz? m?rimea bazinului de chei la <n> (implicit: 100) - + Rescan the block chain for missing wallet transactions Rescaneaz? lan?ul de bloc pentru tranzac?iile portofel lips? - + Attempt to recover private keys from a corrupt wallet.dat Încearc? recuperarea cheilor private dintr-un wallet.dat corupt - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3696,11 +4013,6 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3712,7 +4024,7 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? - + How many blocks to check at startup (default: 2500, 0 = all) Câte block-uri se verific? la initializare (implicit: 2500, 0 = toate) @@ -3727,7 +4039,7 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Import? blocuri dintr-un fi?ier extern blk000?.dat - + Loading Network Averages... @@ -3737,22 +4049,22 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Seteaz? m?rimea minim? a blocului în bai?i (implicit: 0) @@ -3762,22 +4074,22 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Seteaz? m?rimea maxima a blocului în bytes (implicit: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Setati valoarea maxima a prioritate mare/taxa scazuta in bytes(implicit: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Optiuni SSl (vezi Bitcoin wiki pentru intructiunile de instalare) - + Use OpenSSL (https) for JSON-RPC connections Folose?te OpenSSL (https) pentru conexiunile JSON-RPC - + Server certificate file (default: server.cert) Certificatul serverului (implicit: server.cert) @@ -3791,42 +4103,42 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Cifruri acceptabile (implicit: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Suma nevalid? pentru -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Atentie: setarea -paytxfee este foarte ridicata! Aceasta este taxa tranzactiei pe care o vei plati daca trimiti o tranzactie. - + Invalid amount for -mininput=<amount>: '%s' Suma invalida pentru -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Portofelul %s este in afara directorului %s - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Nu se poate obtine un lock pe directorul de date &s. Blackoin probabil ruleaza deja. - + Verifying database integrity... Se verifica integritatea bazei de date... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Eroare la ini?ializarea mediu de baze de date %s! Pentru a recupera, SALVATI ACEL DIRECTORr, apoi scoate?i totul din el, cu excep?ia wallet.dat. @@ -3836,22 +4148,37 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Atentie: fisierul wallet.dat este corupt, date salvate! Fisierul original wallet.dat a fost salvat ca wallet.{timestamp}.bak in %s; daca balansul sau tranzactiile sunt incorecte ar trebui sa restaurati dintr-o copie de siguranta. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat corupt, recuperare e?uat? - + Unknown -socks proxy version requested: %i S-a cerut o versiune necunoscut? de proxy -socks: %i - + Invalid -tor address: '%s' Adresa -tor invalida: '%s' - + Cannot resolve -bind address: '%s' Nu se poate rezolva adresa -bind: '%s' @@ -3861,19 +4188,18 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Nu se poate rezolva adresa -externalip: '%s' - + Invalid amount for -reservebalance=<amount> Suma invalida pentru -reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - În imposibilitatea de a semna checkpoint-ul, checkpointkey gre?it? + În imposibilitatea de a semna checkpoint-ul, checkpointkey gre?it? - + Error loading blkindex.dat Eroare la înc?rcarea blkindex.dat @@ -3883,22 +4209,22 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Eroare la înc?rcarea wallet.dat: Portofel corupt - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Atentie: eroare la citirea fisierului wallet.dat! Toate cheile sunt citite corect, dar datele tranzactiei sau anumite intrari din agenda sunt incorecte sau lipsesc. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Eroare la înc?rcarea wallet.dat: Portofelul necesita o versiune mai noua de Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete A fost nevoie de rescrierea portofelului: restarta?i Gridcoin pentru a finaliza - + Error loading wallet.dat Eroare la înc?rcarea wallet.dat @@ -3913,22 +4239,22 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Se importa fisierul bootstrap blockchain - + Error: could not start node Eroare: nodul nu a putut fi pornit - + Unable to bind to %s on this computer. Gridcoin is probably already running. Imposibil de conectat %s pe acest computer. Cel mai probabil Gridcoin ruleaza - + Unable to bind to %s on this computer (bind returned error %d, %s) Nu se poate folosi %s pe acest calculator (eroarea returnat? este %d, %s) - + Error: Wallet locked, unable to create transaction Eroare: portofel blocat, tranzactia nu s-a creat @@ -3938,75 +4264,69 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Eroare: portofel blocat doar pentru staking, tranzactia nu s-a creat. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Eroare: Aceast? tranzac?ie necesit? un comision de tranzac?ie de cel pu?in %s din cauza valorii sale, complexitate, sau utilizarea de fonduri recent primite - + Error: Transaction creation failed Eroare: crearea tranzac?iei a e?uat. - + Sending... Se trimite... - + 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. Eroare: tranzac?ia a fost respins?. Acest lucru s-ar putea întâmpla în cazul în care unele dintre monedele din portofel au fost deja cheltuite, cum si cum a?i utilizat o copie a wallet.dat ?i monedele au fost cheltuite în copie dar nu au fost marcate ca ?i cheltuite aici. - + Invalid amount Sum? nevalid? - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Atentie: Va rugam verificati ca timpul si data calculatorului sunt corete. Daca timpul este gresit Gridcoin nu va functiona corect. - Warning: This version is obsolete, upgrade required! - Aten?ie: aceast? versiune este dep??it?, este necesar? actualizarea! + Aten?ie: aceast? versiune este dep??it?, este necesar? actualizarea! - - WARNING: synchronized checkpoint violation detected, but skipped! - ATENTIONARE: s-a detectat o violare a checkpoint-ului sincronizat, dar s-a ignorat! + ATENTIONARE: s-a detectat o violare a checkpoint-ului sincronizat, dar s-a ignorat! - - + Warning: Disk space is low! Avertisment: spa?iul pe disc este sc?zut! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - ATENTIONARE: checkpoint invalid! Trazatiile afisate pot fi incorecte! Posibil s? ave?i nevoie s? face?i upgrade, sau s? notificati dezvoltatorii. + ATENTIONARE: checkpoint invalid! Trazatiile afisate pot fi incorecte! Posibil s? ave?i nevoie s? face?i upgrade, sau s? notificati dezvoltatorii. - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Execută comanda cînd o tranzacţie a portofelului se schimbă (%s în cmd este înlocuit de TxID) - + Block creation options: Opţiuni creare bloc: - + Failed to listen on any port. Use -listen=0 if you want this. Nu s-a reuşit ascultarea pe orice port. Folosiţi -listen=0 dacă vreţi asta. - + Specify configuration file (default: gridcoinresearch.conf) @@ -4016,42 +4336,42 @@ Acest lucru înseamn? c? o tax? de cel pu?in %2 este necesar? Specifică fişierul portofel (în dosarul de date) - + Send trace/debug info to console instead of debug.log file Trimite informaţiile trace/debug la consolă în locul fişierului debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Micşorează fişierul debug.log la pornirea clientului (implicit: 1 cînd nu se foloseşte -debug) - + Username for JSON-RPC connections Utilizator pentru conexiunile JSON-RPC - + Password for JSON-RPC connections Parola pentru conexiunile JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Execută comanda cînd cel mai bun bloc se modifică (%s în cmd este înlocuit cu hash-ul blocului) - + Allow DNS lookups for -addnode, -seednode and -connect Permite căutări DNS pentru -addnode, -seednode şi -connect - + To use the %s option Pentru a folosi op?iunea %s - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4066,7 +4386,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s A intervenit o eroare in timp ce se seta portul RPC %u pentru ascultare pe IPv6, reintoarcere la IPv4: %s @@ -4085,27 +4405,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Dac? fi?ierul nu exist?, creeaz?-l cu permisiuni de citire doar de c?tre proprietar. - + Gridcoin version Versiune Gridcoin - + Usage: Uz: - + Send command to -server or gridcoind - + List commands List? de comenzi - + Get help for a command Ajutor pentru o comand? @@ -4115,42 +4435,42 @@ Dac? fi?ierul nu exist?, creeaz?-l cu permisiuni de citire doar de c?tre proprie Gridcoin - + Loading addresses... Încărcare adrese... - + Invalid -proxy address: '%s' Adresa -proxy nevalidă: '%s' - + Unknown network specified in -onlynet: '%s' Reţeaua specificată în -onlynet este necunoscută: '%s' - + Insufficient funds Fonduri insuficiente - + Loading block index... Încărcare index bloc... - + Add a node to connect to and attempt to keep the connection open Adaugă un nod la care te poţi conecta pentru a menţine conexiunea deschisă - + Loading wallet... Încărcare portofel... - + Cannot downgrade wallet Nu se poate retrograda portofelul @@ -4160,17 +4480,17 @@ Dac? fi?ierul nu exist?, creeaz?-l cu permisiuni de citire doar de c?tre proprie Nu se poate scrie adresa implicită - + Rescanning... Rescanare... - + Done loading Încărcare terminată - + Error Eroare diff --git a/src/qt/locale/bitcoin_ru.ts b/src/qt/locale/bitcoin_ru.ts index 97421bb80a..ba66eda150 100644 --- a/src/qt/locale/bitcoin_ru.ts +++ b/src/qt/locale/bitcoin_ru.ts @@ -19,10 +19,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. @@ -306,7 +315,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... &Подписать сообщение... @@ -422,7 +431,7 @@ This product includes software developed by the OpenSSL Project for use in the O Зашифровать или расшифровывать бумажник - + Date: %1 Amount: %2 Type: %3 @@ -437,7 +446,7 @@ Address: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -451,7 +460,7 @@ Address: %4 &Сделать резервную копию бумажника... - + &Change Passphrase... &Изменить пароль... @@ -588,12 +597,12 @@ Address: %4 - + New User Wizard Мастер настройки нового пользователя - + &Voting &Голосование @@ -649,7 +658,7 @@ Address: %4 - + [testnet] [тестовая сеть] @@ -802,7 +811,7 @@ Address: %4 - + %n second(s) %n секунда @@ -870,7 +879,7 @@ Address: %4 Стейкинг отсутствует - + &File &Файл @@ -890,7 +899,7 @@ Address: %4 &Дополнительно - + &Help &Помощь @@ -3511,52 +3520,348 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Параметры: - + Specify data directory Задать каталог данных - + Connect to a node to retrieve peer addresses, and disconnect Подключиться к участнику, чтобы получить список адресов других участников и отключиться - + Specify your own public address Укажите ваш собственный публичный адрес - + Accept command line and JSON-RPC commands Принимать командную строку и команды JSON-RPC - + Run in the background as a daemon and accept commands Запускаться в фоне как демон и принимать команды - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Выполнить команду, когда меняется транзакция в бумажнике (%s в команде заменяется на TxID) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Адрес + + + + Alert: + + + + + Answer + + + + + Answers + Ответы + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + Block creation options: Параметры создания блоков: - + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Failed to listen on any port. Use -listen=0 if you want this. Не удалось начать прослушивание на порту. Используйте -listen=0 если вас это устраивает. - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Сообщение + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + Вопрос + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + Тематика + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3566,82 +3871,97 @@ This label turns red, if the priority is smaller than "medium". Укажите файл бумажника (внутри каталога данных) - + Send trace/debug info to console instead of debug.log file Выводить информацию трассировки/отладки на консоль вместо файла debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Сжимать файл debug.log при запуске клиента (по умолчанию: 1, если нет -debug) - + Username for JSON-RPC connections Имя для подключений JSON-RPC - + Password for JSON-RPC connections Пароль для подключений JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Выполнить команду, когда появляется новый блок (%s в команде заменяется на хэш блока) - + Allow DNS lookups for -addnode, -seednode and -connect Разрешить поиск в DNS для -addnode, -seednode и -connect - + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + Название + + + To use the %s option Чтобы использовать опцию %s - + Loading addresses... Загрузка адресов... - + Invalid -proxy address: '%s' Неверный адрес -proxy: '%s' - + Unknown network specified in -onlynet: '%s' В параметре -onlynet указана неизвестная сеть: '%s' - + Insufficient funds Недостаточно монет - + Loading block index... Загрузка индекса блоков... - + Add a node to connect to and attempt to keep the connection open Добавить узел для подключения и пытаться поддерживать соединение открытым - + Loading wallet... Загрузка бумажника... - + Cannot downgrade wallet Не удаётся понизить версию бумажника @@ -3651,22 +3971,22 @@ This label turns red, if the priority is smaller than "medium". Не удаётся записать адрес по умолчанию - + Rescanning... Сканирование... - + Done loading Загрузка завершена - + Error Ошибка - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3691,7 +4011,7 @@ rpcpassword=%s - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Произошла ошибка при открытии на прослушивание IPv6 RCP-порта %u, возвращаемся к IPv4: %s @@ -3710,32 +4030,47 @@ If the file does not exist, create it with owner-readable-only file permissions. Если файл не существует, создайте его и установите права доступа только для владельца. - + Gridcoin version Gridcoin версия - + + URL + URL + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Использование: - + Send command to -server or gridcoind Отправить команду -server или gridcoind - + List commands Список команд - + Get help for a command Получить помощь по команде @@ -3745,7 +4080,7 @@ If the file does not exist, create it with owner-readable-only file permissions. Gridcoin - + This help message Эта справка @@ -3754,12 +4089,12 @@ If the file does not exist, create it with owner-readable-only file permissions. Укажите конфигурационный файл (по умолчанию: gridcoin.conf) - + Specify pid file (default: gridcoind.pid) Укажите файл pid (по умолчанию: gridcoind.pid) - + Set database cache size in megabytes (default: 25) Задайть размер кеша базы данных в мегабайтах (по умолчанию: 25) @@ -3769,92 +4104,90 @@ If the file does not exist, create it with owner-readable-only file permissions. Задайть размер журнала диска базы данных в мегабайтах (по умолчанию: 100) - + Specify connection timeout in milliseconds (default: 5000) Тайм-аут соединения в миллисекундах (по умолчанию: 5000) - + Connect through socks proxy Подключение через прокси-сервер socks - + Select the version of socks proxy to use (4-5, default: 5) Выберите версию прокси-сервера socks (4-5, по умолчанию: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Использовать прокси для доступа к скрытым службам (по умолчанию: то же, что и -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Слушайте подключения по <port> (по умолчанию: 32749 или testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) Поддерживать не более <n> подключений к узлам (по умолчанию: 125) - + Connect only to the specified node(s) Подключаться только к указанному узлу(ам) - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Подключаться только к узлам из сети <net> (IPv4, IPv6 или Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Определить свой IP (по умолчанию: 1 при прослушивании и если не используется -externalip) - Find peers using internet relay chat (default: 0) - Найти сверстников с помощью интернет-ретрансляционного чата (по умолчанию: 0) + Найти сверстников с помощью интернет-ретрансляционного чата (по умолчанию: 0) - + Accept connections from outside (default: 1 if no -proxy or -connect) Принимать подключения извне (по умолчанию: 1, если не используется -proxy или -connect) - + Bind to given address. Use [host]:port notation for IPv6 Привязать к данному адресу. Используйте [host]: обозначение порта для IPv6 - + Find peers using DNS lookup (default: 1) Найти одноранговых узлов, использующих DNS-поиск (по умолчанию: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Синхронизируйте время с другими узлами. Отключите, если время в вашей системе точно, например. Синхронизация с NTP (по умолчанию: 1) - Sync checkpoints policy (default: strict) - Политика синхронизации контрольных точек (по умолчанию: строгий) + Политика синхронизации контрольных точек (по умолчанию: строгий) - + Threshold for disconnecting misbehaving peers (default: 100) Порог для отключения неправильно ведущих себя узлов (по умолчанию: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Число секунд блокирования неправильно ведущих себя узлов (по умолчанию: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Максимальный размер буфера приёма на соединение, <n>*1000 байт (по умолчанию: 5000) @@ -3864,7 +4197,7 @@ If the file does not exist, create it with owner-readable-only file permissions. Максимальный размер буфера отправки на соединение, <n>*1000 байт (по умолчанию: 1000) - + Use UPnP to map the listening port (default: 1 when listening) Использовать UPnP для проброса порта (по умолчанию: 1, если используется прослушивание) @@ -3874,22 +4207,22 @@ If the file does not exist, create it with owner-readable-only file permissions. Использовать UPnP для проброса порта (по умолчанию: 0) - + Fee per KB to add to transactions you send Плата за КБ для добавления к транзакциям, которые вы отправляете - + When creating transactions, ignore inputs with value less than this (default: 0.01) При создании транзакции игнорируйте вводы меньше чем (default: 0.01) - + Use the test network Использовать тестовую сеть - + Output extra debugging information. Implies all other -debug* options Вывод дополнительной информации об отладке. Подразумевает все другие опции -debug * @@ -3904,32 +4237,32 @@ If the file does not exist, create it with owner-readable-only file permissions. Подготовить вывод отладки с меткой времени - + Send trace/debug info to debugger Отправить трассировку / отладочную информацию в отладчик - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Слушайте подключения JSON-RPC на <порт> (по умолчанию: 15715 или testnet: 25715) - + Allow JSON-RPC connections from specified IP address Разрешить подключения JSON-RPC с указанного IP - + Send commands to node running on <ip> (default: 127.0.0.1) Посылать команды узлу, запущенному на <ip> (по умолчанию: 127.0.0.1) - + Require a confirmations for change (default: 0) Требовать подтверждения изменений (по умолчанию: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Использовать сценарии транзакций для использования канонических операторов PUSH (по умолчанию: 1) @@ -3939,68 +4272,52 @@ If the file does not exist, create it with owner-readable-only file permissions. Выполнить команду при получении соответствующего предупреждения (% s в cmd заменяется сообщением) - + Upgrade wallet to latest format Обновить бумажник до последнего формата - + Set key pool size to <n> (default: 100) Установить размер запаса ключей в <n> (по умолчанию: 100) - + Rescan the block chain for missing wallet transactions Перепроверить цепь блоков на предмет отсутствующих в бумажнике транзакций - + Attempt to recover private keys from a corrupt wallet.dat Попытаться восстановить приватные ключи из повреждённого wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -4009,11 +4326,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -4025,7 +4337,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + How many blocks to check at startup (default: 2500, 0 = all) Сколько блоков проверяется при запуске (по умолчанию: 2500, 0 = все) @@ -4040,7 +4352,7 @@ If the file does not exist, create it with owner-readable-only file permissions. Импортирует блоки из внешнего файла blk000? .dat - + Loading Network Averages... @@ -4050,22 +4362,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Минимальный размер блока в байтах (по умолчанию: 0) @@ -4075,22 +4387,22 @@ If the file does not exist, create it with owner-readable-only file permissions. Установить максимальный размер блока в байтах (по умолчанию: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Установите максимальный размер транзакций с высоким приоритетом / низкой оплатой в байтах (по умолчанию: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) Параметры SSL: (см. Инструкции по настройке Bitcoin Wiki для SSL) - + Use OpenSSL (https) for JSON-RPC connections Использовать OpenSSL (https) для подключений JSON-RPC - + Server certificate file (default: server.cert) Файл серверного сертификата (по умолчанию: server.cert) @@ -4104,42 +4416,42 @@ If the file does not exist, create it with owner-readable-only file permissions. Допустимые алгоритмы (по умолчанию: TLSv1 + HIGH:! SSLv2:! ANULL:! ENULL:! AH:! 3DES: @STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Неверная сумма в параметре -paytxfee=<кол-во>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Внимание: установлено очень большое значение -paytxfee. Это комиссия, которую вы заплатите при проведении транзакции. - + Invalid amount for -mininput=<amount>: '%s' Недопустимая сумма для -mininput = <amount>: '% s' - + Initialization sanity check failed. Gridcoin is shutting down. Инициализация проверки работоспособности не удалась. Gridcoin закрывается. - + Wallet %s resides outside data directory %s. Бумажник %s располагается вне каталога данных %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Не удается получить блокировку в каталоге данных% s. Гридкойн, вероятно, уже работает. - + Verifying database integrity... Проверка целостности базы данных... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Ошибка инициализации среды базы данных% s! Чтобы восстановить, СДЕЛАЙТЕ БЕКАП ДАННОЙ ДИРЕКТОРИИ, затем удалите все, кроме него, за исключением wallet.dat. @@ -4149,22 +4461,37 @@ If the file does not exist, create it with owner-readable-only file permissions. Внимание: wallet.dat повреждён, данные спасены! Оригинальный wallet.dat сохранён как wallet.{timestamp}.bak в %s; если ваш баланс или транзакции некорректны, вы должны восстановить файл из резервной копии. - + + Vote + Голосовать + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat повреждён, спасение данных не удалось - + Unknown -socks proxy version requested: %i В параметре -socks запрошена неизвестная версия: %i - + Invalid -tor address: '%s' Недопустимый адрес -tor: '% s' - + Cannot resolve -bind address: '%s' Не удаётся разрешить адрес в параметре -bind: '%s' @@ -4174,19 +4501,18 @@ If the file does not exist, create it with owner-readable-only file permissions. Не удаётся разрешить адрес в параметре -externalip: '%s' - + Invalid amount for -reservebalance=<amount> Недопустимая сумма для -reservebalance = <amount> - Unable to sign checkpoint, wrong checkpointkey? - Не удалось подписать контрольную точку, неверен checkpointkey? + Не удалось подписать контрольную точку, неверен checkpointkey? - + Error loading blkindex.dat Ошибка при загрузке blkindex.dat @@ -4196,22 +4522,22 @@ If the file does not exist, create it with owner-readable-only file permissions. Ошибка загрузки wallet.dat: Бумажник поврежден - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Внимание: ошибка чтения wallet.dat! Все ключи прочитаны верно, но данные транзакций или записи адресной книги могут отсутствовать или быть неправильными. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Ошибка загрузки wallet.dat: Бумажник требует более новой версии Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Необходимо перезаписать бумажник: перезапустите Gridcoin для завершения операции - + Error loading wallet.dat Ошибка при загрузке wallet.dat @@ -4226,22 +4552,22 @@ If the file does not exist, create it with owner-readable-only file permissions. Импорт файла данных блокировки bootstrap. - + Error: could not start node Ошибка: не удалось запустить узел - + Unable to bind to %s on this computer. Gridcoin is probably already running. Невозможно забиндиться %s на этом компьютере. Gridcoin вероятно уже запущен. - + Unable to bind to %s on this computer (bind returned error %d, %s) Невозможно привязаться к %s на этом компьютере (bind вернул ошибку %d, %s) - + Error: Wallet locked, unable to create transaction Ошибка: кошелек заблокирован, невозможно создать транзакцию @@ -4251,57 +4577,51 @@ If the file does not exist, create it with owner-readable-only file permissions. Ошибка: Кошелек разблокирован только для стейкинга, невозможно создать транзакцию. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Ошибка: эта транзакция требует комиссию как минимум %s из-за суммы, сложности или использования недавно полученных средств - + Error: Transaction creation failed Ошибка: Не удалось создать транзакцию - + Sending... Отправка... - + 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, и монеты были использованы в копии, но не отмечены как потраченные здесь. - + Invalid amount Неверная сумма - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Внимание: убедитесь, что дата и время на Вашем компьютере выставлены верно. Если Ваши часы идут неправильно, Gridcoin будет работать некорректно. - Warning: This version is obsolete, upgrade required! - Внимание: эта версия устарела, требуется обновление! + Внимание: эта версия устарела, требуется обновление! - - WARNING: synchronized checkpoint violation detected, but skipped! - ПРЕДУПРЕЖДЕНИЕ: обнаружено нарушение синхронизированной контрольной точки, но пройдено! + ПРЕДУПРЕЖДЕНИЕ: обнаружено нарушение синхронизированной контрольной точки, но пройдено! - - + Warning: Disk space is low! Внимание: Свободное место заканчивается! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - ПРЕДУПРЕЖДЕНИЕ. Неверная контрольная точка найдена! Отображаемые транзакции могут быть неверными! Возможно, вам потребуется обновиться или уведомить разработчиков. + ПРЕДУПРЕЖДЕНИЕ. Неверная контрольная точка найдена! Отображаемые транзакции могут быть неверными! Возможно, вам потребуется обновиться или уведомить разработчиков. diff --git a/src/qt/locale/bitcoin_sk.ts b/src/qt/locale/bitcoin_sk.ts index c217f39f2e..79de84de2c 100644 --- a/src/qt/locale/bitcoin_sk.ts +++ b/src/qt/locale/bitcoin_sk.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Toto je experimentálny softvér. Distribuovaný pod softvérovou licenciou MIT/X11, vi? priložený súbor COPYING alebo http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Tento produkt obsahuje softvér vyvinutý projektom OpenSSL Project pre použiti BitcoinGUI - + Sign &message... Podpísať &správu... @@ -420,7 +429,7 @@ Tento produkt obsahuje softvér vyvinutý projektom OpenSSL Project pre použiti Zašifrovať alebo dešifrovať peňaženku - + Date: %1 Amount: %2 Type: %3 @@ -434,7 +443,7 @@ Adresa: %4 {1 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -448,7 +457,7 @@ Adresa: %4 {1 &Zálohovať peňaženku... - + &Change Passphrase... &Zmena Hesla... @@ -585,12 +594,12 @@ Adresa: %4 {1 - + New User Wizard Sprevodca nastavením - + &Voting Hlasovanie @@ -646,7 +655,7 @@ Adresa: %4 {1 - + [testnet] [testovacia sieť] @@ -798,7 +807,7 @@ Adresa: %4 - + %n second(s) %n sekunda @@ -866,7 +875,7 @@ Adresa: %4 Nestávkujem - + &File &Súbor @@ -886,7 +895,7 @@ Adresa: %4 Pokročilé - + &Help &Pomoc @@ -3454,17 +3463,17 @@ To znamená, že je potrebný poplatok aspoň %2. bitcoin-core - + Options: Možnosti: - + This help message Táto pomocná správa - + Specify pid file (default: gridcoind.pid) @@ -3474,7 +3483,7 @@ To znamená, že je potrebný poplatok aspoň %2. Určiť priečinok s dátami - + Set database cache size in megabytes (default: 25) Nastavi? ve?kos? vyrovnávajúcej pamäte pre databázu v megabytoch (predvolené: 25) @@ -3484,7 +3493,7 @@ To znamená, že je potrebný poplatok aspoň %2. Nastavi? ve?kos? databázového denníka na disku v MB (predvolené: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3494,32 +3503,32 @@ To znamená, že je potrebný poplatok aspoň %2. Ur?i? aut spojenia v milisekundách (predvolené: 5000) - + Connect through socks proxy Pripojenie cez SOCKS proxy - + Select the version of socks proxy to use (4-5, default: 5) Vyberte verziu SOCKS proxy pre používanie (4-5, predvolené: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Použi? proxy server k získaniu Tor skrytých služieb (predvolené: rovnaká ako -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Po?úva? pripojenia na <port> (predvolené: 15714 alebo testovacia sie?: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Udržiava? maximálne <n> spojení (predvolené: 125) - + Connect only to the specified node(s) Pripoji? sa len k ur?enému uzlu(om) @@ -3529,62 +3538,246 @@ To znamená, že je potrebný poplatok aspoň %2. Pripojiť sa k uzlu, získať adresy ďalších počítačov v sieti a odpojiť sa - + Specify your own public address Určite vašu vlastnú verejnú adresu - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Pripoji? len k uzlom siete <net> (IPv4, IPv6 alebo Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Objavte vlastnú IP adresa (predvolené: 1 pri po?úvaní a nie -externalip) - Find peers using internet relay chat (default: 0) - Nájs? peerov pomocou Internet Relay Chat (predvolené: 1) {0)?} + Nájs? peerov pomocou Internet Relay Chat (predvolené: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Prijíma? pripojenie z vonka (predvolené: 1, ak nie -proxy alebo -connect) - + Bind to given address. Use [host]:port notation for IPv6 Spoji? do danej adresy. Použite [host]:port zápis pre IPv6 - + Find peers using DNS lookup (default: 1) Nájs? peerov pomocou vyh?adávania DNS (predvolené: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synchronizácia ?asu s ostatnými uzlami. Zakáza? ak ?as na vašom systéme je presný, napr synchronizáciu s NTP (predvolené: 1) - Sync checkpoints policy (default: strict) - Sync checkpoints policy (predvolené: strict) + Sync checkpoints policy (predvolené: strict) - + Threshold for disconnecting misbehaving peers (default: 100) Hranica pre odpojenie zle sa správajúcich peerov (predvolené: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Po?et sekúnd kedy sa zabráni zle sa správajúcim peerom znovupripojenie (predvolené: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresa + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maximum pre-pripojenie prijímacej vyrovnávacej pamäti, <n>*1000 bajtov (predvolené: 5000) @@ -3594,17 +3787,157 @@ To znamená, že je potrebný poplatok aspoň %2. Maximum pre-pripojenie posielacej vyrovnávacej pamäti, <n>*1000 bajtov (predvolené: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Správa + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Skúsi? použi? UPnP pre mapovanie po?úvajúceho portu (default: 1 when listening) @@ -3614,12 +3947,12 @@ To znamená, že je potrebný poplatok aspoň %2. Skúsi? použi? UPnP pre mapovanie po?úvajúceho portu (default: 0) - + Fee per KB to add to transactions you send Poplatok za KB prida? do transakcií, ktoré odosielate - + When creating transactions, ignore inputs with value less than this (default: 0.01) Pri vytváraní transakcií, ignorova? vstupy s hodnotou nižšou než táto (predvolené: 0.01) @@ -3629,12 +3962,12 @@ To znamená, že je potrebný poplatok aspoň %2. Prijímať príkazy z príkazového riadku a JSON-RPC - + Use the test network Použi? testovaciu sie? - + Output extra debugging information. Implies all other -debug* options Výstupné ?alšie informácie o ladení. Znamená všetky -debug* možnosti @@ -3649,32 +3982,32 @@ To znamená, že je potrebný poplatok aspoň %2. Pred debug výstup s ?asovou pe?iatkou - + Send trace/debug info to debugger Posla? stopy/ladiace informácie do debuggera - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Po?úvajte pre JSON-RPC spojenie na <port> (predvolené: 15715 alebo testovaciasie?: 25715) - + Allow JSON-RPC connections from specified IP address Povoli? JSON-RPC spojenia z ur?enej IP adresy. - + Send commands to node running on <ip> (default: 127.0.0.1) Posla? príkaz nóde bežiacej na <ip> (predvolené: 127.0.0.1) - + Require a confirmations for change (default: 0) Požadova? potvrdenie pre zmenu (predvolené: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Presadzova? transak?né skripty k používaniu kanonických PUSH operátorov (predvolené: 1) @@ -3684,68 +4017,52 @@ To znamená, že je potrebný poplatok aspoň %2. Spusti? príkaz, ke? je prijaté príslušné upozornenie (%s v cmd je nahradený správou) - + Upgrade wallet to latest format Aktualizuj pe?aženku na najnovší formát. - + Set key pool size to <n> (default: 100) Nastavi? zásobu adries na <n> (predvolené: 100) - + Rescan the block chain for missing wallet transactions Znovu skenova? re?az blokov pre chýbajúce transakcie - + Attempt to recover private keys from a corrupt wallet.dat Pokus obnovi? súkromné k?ú?e z poškodeného wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3754,11 +4071,6 @@ To znamená, že je potrebný poplatok aspoň %2. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3770,7 +4082,7 @@ To znamená, že je potrebný poplatok aspoň %2. - + How many blocks to check at startup (default: 2500, 0 = all) Ko?ko blokov na kontrolu pri štarte (predvolené: 2500, 0 = všetky) @@ -3785,7 +4097,7 @@ To znamená, že je potrebný poplatok aspoň %2. Importova? bloky z externého blk000?.dat súbora - + Loading Network Averages... @@ -3795,22 +4107,22 @@ To znamená, že je potrebný poplatok aspoň %2. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Nastavte minimálnu ve?kos? bloku v bajtoch (predvolené: 0) @@ -3820,22 +4132,22 @@ To znamená, že je potrebný poplatok aspoň %2. Nastavte maximálnu ve?kos? bloku v bajtoch (predvolené: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Nastavte maximálnu ve?kos? high-priority/low-fee transakcií v bajtoch (predvolené: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL možnos?: (pozrite Bitcoin Wiki pre návod na nastavenie SSL) - + Use OpenSSL (https) for JSON-RPC connections Použi? OpenSSL (https) pre JSON-RPC spojenia - + Server certificate file (default: server.cert) Súbor s certifikátom servra (predvolené: server.cert) @@ -3849,42 +4161,42 @@ To znamená, že je potrebný poplatok aspoň %2. Akceptovate?né ciphers (predvolené: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Neplatná suma pre -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Upozornenie: -paytxfee je nastavené ve?mi vysoko. Toto sú transak?né poplatky ktoré zaplatíte ak odošlete transakciu. - + Invalid amount for -mininput=<amount>: '%s' Neplatná suma pre -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Pe?aženka %s bydlisko mimo dátový adresár %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Nemožno získa? zámok na dátový adresár %s. Gridcoin už pravdepodobne beží. - + Verifying database integrity... Overenie integrity databázy ... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Chyba pri inicializácii databázy prostredie %s! Ak chcete obnovi?, ZÁLOHUJTE TENTO ADRESÁR, potom všetko z neho odstránte okrem wallet.dat. @@ -3894,22 +4206,37 @@ To znamená, že je potrebný poplatok aspoň %2. Upozornenie: wallet.dat poškodený, údaje zachránené! Pôvodný wallet.dat bol uložený ako wallet.{timestamp}.bak v %s; ak váš zostatok alebo transakcie nie sú správne, mali by ste obnovi? zo zálohy. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat je poškodený, záchrana zlyhala - + Unknown -socks proxy version requested: %i Neznáma požadovaná SOCKS proxy verzia:% i - + Invalid -tor address: '%s' Neplatná -tor adresa: '%s' - + Cannot resolve -bind address: '%s' Nemožno rozloži? -bind adresu: '%s' @@ -3919,19 +4246,18 @@ To znamená, že je potrebný poplatok aspoň %2. Nemožno rozloži? -externalip adresu: '%s' - + Invalid amount for -reservebalance=<amount> Neplatná suma pre -reservebalance=<množstvo> - Unable to sign checkpoint, wrong checkpointkey? - Nemožno podpísa? kontrolný bod, zlý checkpointkey? + Nemožno podpísa? kontrolný bod, zlý checkpointkey? - + Error loading blkindex.dat Chyba pri na?ítaní blkindex.dat @@ -3941,22 +4267,22 @@ To znamená, že je potrebný poplatok aspoň %2. Chyba na?ítania wallet.dat: Pe?aženka je poškodená - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Upozornenie: Chyba pri ?ítaní wallet.dat! Všetky k?ú?e na?ítané správne, ale transak?né dáta alebo položky adresára môže chýba? alebo by? nesprávne. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Chyba pri na?ítaní wallet.dat: Pe?aženka vyžaduje novšiu verziu Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Pe?aženka potrebuje by? prepísaná: reštartujte Gridcoin k dokon?eniu - + Error loading wallet.dat Chyba na?ítania wallet.dat @@ -3971,22 +4297,22 @@ To znamená, že je potrebný poplatok aspoň %2. Import zavádzacej ?asti blockchain dátového súbora. - + Error: could not start node Chyba: nemožno spusti? uzol - + Unable to bind to %s on this computer. Gridcoin is probably already running. Nemôžem sa pripoji? na %s na tomto po?íta?i. Gridcoin je pravdepodobne už beží. - + Unable to bind to %s on this computer (bind returned error %d, %s) Nemôžem sa pripoji? k %s na tomto po?íta?i (bind vrátil chybu %d, %s) - + Error: Wallet locked, unable to create transaction Chyba: Pe?aženka je zamknutá, nie je možné vytvori? transakciu @@ -3996,120 +4322,114 @@ To znamená, že je potrebný poplatok aspoň %2. Chyba: Pe?aženka odomknuté len pre stávkovanie, nemožné vytvori? transakciu. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Chyba: Táto operácia vyžaduje transak?ný poplatok vo výške aspo? %s, pretože jeho množstvo, zložitos?, alebo použitím nedávno prijatých finan?ných prostriedkov - + Error: Transaction creation failed Chyba: Vytvorenie transakcie zlyhalo - + Sending... Posielam... - + 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. Chyba: Transakcia bola zamietnutá. To môže nasta?, ak niektoré z mincí vo vašej pe?aženke sa už použili, ako napríklad, ak ste použili kópiu wallet.dat a mince boli použité v kópii, ale neboli ozna?ené ako použité tu. - + Invalid amount Neplatná suma - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Upozornenie: Skontrolujte, že dátum a ?as po?íta?a sú správne! Ak je Váš ?as nesprávny Gridcoin nebude pracova? správne. - Warning: This version is obsolete, upgrade required! - Upozornenie: Táto verzia je zastaraná, vyžaduje sa aktualizácia! + Upozornenie: Táto verzia je zastaraná, vyžaduje sa aktualizácia! - - WARNING: synchronized checkpoint violation detected, but skipped! - UPOZORNENIE: detekovaný synchronizovaný porušený checkpoint, ale presko?ený! + UPOZORNENIE: detekovaný synchronizovaný porušený checkpoint, ale presko?ený! - - + Warning: Disk space is low! Upozornenie: Nedostatok miesta na disku! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - UPOZORNENIE: Neplatný checkpoint nájdený! Uvedené transakcie nemusia by? správne! Možno budete musie? upgradova?, alebo upozorni? vývojárov. + UPOZORNENIE: Neplatný checkpoint nájdený! Uvedené transakcie nemusia by? správne! Možno budete musie? upgradova?, alebo upozorni? vývojárov. - + Run in the background as a daemon and accept commands Bežať na pozadí ako démon a prijímať príkazy - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Vykonaj príkaz keď sa zmení transakcia peňaženky (%s v príkaze je nahradená TxID) - + Block creation options: Voľby vytvorenia bloku: - + Failed to listen on any port. Use -listen=0 if you want this. Chyba počúvania na ktoromkoľvek porte. Použi -listen=0 ak toto chcete. - + Specify wallet file (within data directory) Označ súbor peňaženky (v priečinku s dátami) - + Send trace/debug info to console instead of debug.log file Odoslať trace/debug informácie na konzolu namiesto debug.info žurnálu - + Shrink debug.log file on client startup (default: 1 when no -debug) Zmenšiť debug.log pri spustení klienta (predvolené: 1 ak bez -debug) - + Username for JSON-RPC connections Užívateľské meno pre JSON-RPC spojenia - + Password for JSON-RPC connections Heslo pre JSON-rPC spojenia - + Execute command when the best block changes (%s in cmd is replaced by block hash) Vykonaj príkaz, ak zmeny v najlepšom bloku (%s v príkaze nahradí blok hash) - + Allow DNS lookups for -addnode, -seednode and -connect Povoliť vyhľadávanie DNS pre pridanie nódy a spojenie - + To use the %s option Použi? %s možnos?. - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4124,7 +4444,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Pri nastavovaní portu RPC %u pre po?úvanie na IPv6, spadne spä? do IPv4 došlo k chybe: %s @@ -4143,27 +4463,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Ak súbor neexistuje, vytvorte ho s oprávnením pre ?ítanie len vlastníkom (owner-readable-only) - + Gridcoin version Gridcoin verzia - + Usage: Použitie: - + Send command to -server or gridcoind - + List commands Zoznam príkazov - + Get help for a command Získať pomoc pre príkaz @@ -4173,42 +4493,42 @@ Ak súbor neexistuje, vytvorte ho s oprávnením pre ?ítanie len vlastníkom (o Gridcoin - + Loading addresses... Načítavanie adries... - + Invalid -proxy address: '%s' Neplatná adresa proxy: '%s' - + Unknown network specified in -onlynet: '%s' Neznáma sieť upresnená v -onlynet: '%s' - + Insufficient funds Nedostatok prostriedkov - + Loading block index... Načítavanie zoznamu blokov... - + Add a node to connect to and attempt to keep the connection open Pridať nód na pripojenie a pokus o udržanie pripojenia otvoreného - + Loading wallet... Načítavam peňaženku... - + Cannot downgrade wallet Nie je možné prejsť na nižšiu verziu peňaženky @@ -4218,17 +4538,17 @@ Ak súbor neexistuje, vytvorte ho s oprávnením pre ?ítanie len vlastníkom (o Nie je možné zapísať predvolenú adresu. - + Rescanning... Nové prehľadávanie... - + Done loading Dokončené načítavanie - + Error Chyba diff --git a/src/qt/locale/bitcoin_sl_SI.ts b/src/qt/locale/bitcoin_sl_SI.ts index 67ab7cb6f7..01f8fb0c66 100644 --- a/src/qt/locale/bitcoin_sl_SI.ts +++ b/src/qt/locale/bitcoin_sl_SI.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + To je poizkusen softver. Distribuiran pod MIT/X11 softversko licenco, glej priloženo datoteko COPYING ali http://www.opensource.org/licenses/mit-license.php. @@ -304,7 +313,7 @@ Ta proizvod vklju?uje softver razvit s strani projekta OpenSSL za uporabo v Open BitcoinGUI - + Sign &message... Podpiši &sporočilo ... @@ -529,12 +538,12 @@ Ta proizvod vklju?uje softver razvit s strani projekta OpenSSL za uporabo v Open - + New User Wizard - + &Voting @@ -574,7 +583,7 @@ Ta proizvod vklju?uje softver razvit s strani projekta OpenSSL za uporabo v Open - + [testnet] [testnet] @@ -718,7 +727,7 @@ Naslov: %4 - + %n second(s) @@ -788,7 +797,7 @@ Naslov: %4 Ne deležite - + &File &Datoteka @@ -808,7 +817,7 @@ Naslov: %4 - + &Help &Pomoč @@ -3405,17 +3414,17 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". bitcoin-core - + Options: Možnosti: - + This help message To sporo?ilo pomo?i - + Specify pid file (default: gridcoind.pid) @@ -3425,7 +3434,7 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Izberite podatkovno mapo - + Set database cache size in megabytes (default: 25) Nastavi pomnilnik podatkovne zbirke v megabajtih (privzeto: 25) @@ -3435,37 +3444,37 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Nastavi velikost zapisa podatkovne baze na disku v megabajtih (privzeto: 100) - + Specify connection timeout in milliseconds (default: 5000) Dolo?i ?as pavze povezovanja v milisekundah (privzeto: 5000) - + Connect through socks proxy Poveži se skozi socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Izberi verzijo socks proxya za uporabo (4-5, privzeto: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Uporabi proxy za povezavo s skritimi storitvami tora (privzeto: isto kot -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Sprejmi povezave na <port> (privzeta vrata: 15714 ali testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Obdrži maksimalno število <n> povezav (privzeto: 125) - + Connect only to the specified node(s) Poveži se samo na dolo?ena vozliš?e(a) @@ -3475,62 +3484,246 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Povežite se z vozliščem za pridobitev naslovov soležnikov in nato prekinite povezavo. - + Specify your own public address Določite vaš lasten javni naslov - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Poveži se samo z vozliš?i v omrežju <net> (IPv4, IPv6 in Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Odkrij svoj IP naslov (privzeto: 1 ob poslušanju, ko ni aktiviran -externalip) - Find peers using internet relay chat (default: 0) - Najdi soležnike prek irca (privzeto: 0) + Najdi soležnike prek irca (privzeto: 0) - + Accept connections from outside (default: 1 if no -proxy or -connect) Sprejmi zunanje povezave (privzeto: 1 ?e ni nastavljen -proxy ali -connect) - + Bind to given address. Use [host]:port notation for IPv6 Naveži na dani naslov. Uporabi [host]:port ukaz za IPv6 - + Find peers using DNS lookup (default: 1) Najdi soležnike z uporabno DNS vpogleda (privzeto: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Sinhroniziraj ?as z drugimi vozliš?i. Onemogo?i, ?e je ?as na vašem sistemu to?no nastavljen, npr. sinhroniziranje z NTP (privzeto: 1) - Sync checkpoints policy (default: strict) - Sinhronizacija na?ina to?k preverjanja (privzeto: strogo) + Sinhronizacija na?ina to?k preverjanja (privzeto: strogo) - + Threshold for disconnecting misbehaving peers (default: 100) Prag za prekinitev povezav s slabimi odjemalci (privzeto: 1000) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Število sekund preden se ponovno povežejo neodzivni soležniki (privzeto: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Naslov + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Najve?ji sprejemni medpomnilnik glede na povezavo, <n>*1000 bytov (privzeto: 5000) @@ -3540,17 +3733,157 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Najve?ji oddajni medpomnilnik glede na povezavo, <n>*1000 bytov (privzeto: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Sporo?ilo + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Uporabi UPnP za mapiranje vrat poslušanja (privzeto: 1 med poslušanjem) @@ -3560,12 +3893,12 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Uporabi UPnP za mapiranje vrat poslušanja (privzeto: 0) - + Fee per KB to add to transactions you send Provizija na KB ki jo morate dodati transakcijam, ki jih pošiljate - + When creating transactions, ignore inputs with value less than this (default: 0.01) Ob ustvarjanju transakcij, prezri vnose z manjšo vrednostjo kot (privzeto: 0.01) @@ -3575,17 +3908,17 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Sprejemaj ukaze iz ukazne vrstice in preko JSON-RPC - + Run in the background as a daemon and accept commands Teci v ozadju in sprejemaj ukaze - + Use the test network Uporabi testno omrežje - + Output extra debugging information. Implies all other -debug* options Output dodatnih informacij razhroš?evanja. Obsega vse druge -debug* možnosti. @@ -3600,32 +3933,32 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Opremi output rahroš?evanja s ?asovnim žigom. - + Send trace/debug info to debugger Pošlji sledilne/razhroš?evalne informacije v razhroš?evalnik - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Sprejmi povezave na <port> (privzeta vrata: 15714 ali testnet: 25714) - + Allow JSON-RPC connections from specified IP address Dovoli JSON-RPC povezave z dolo?enega IP naslova - + Send commands to node running on <ip> (default: 127.0.0.1) Pošlji ukaze vozliš?u na <ip> (privzet: 127.0.0.1) - + Require a confirmations for change (default: 0) Zahtevaj potrditve za spremembo (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Zahtevaj da transakcijske skripte uporabljajo operatorje canonical PUSH (privzeto: 1) @@ -3635,68 +3968,52 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Izvrši ukaz, ko je prejet relevanten alarm (%s je v cmd programu nadomeš?en s sporo?ilom) - + Upgrade wallet to latest format Posodobi denarnico v najnovejši zapis - + Set key pool size to <n> (default: 100) Nastavi velikost klju?a bazena na <n> (privzeto: 100) - + Rescan the block chain for missing wallet transactions Ponovno preglej verigo blokov za manjkajo?e transakcije denarnice - + Attempt to recover private keys from a corrupt wallet.dat Poizkusi rešiti zasebni klju? iz pokvarjene wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3705,11 +4022,6 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3721,7 +4033,7 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". - + How many blocks to check at startup (default: 2500, 0 = all) Koliko blokov naj preveri ob zagonu aplikacije (privzeto: 2500, 0 = vse) @@ -3736,7 +4048,7 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Uvozi bloke iz zunanje blk000?.dat datoteke - + Loading Network Averages... @@ -3746,22 +4058,22 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Nastavi najmanjšo velikost bloka v bajtih (privzeto: 0) @@ -3771,22 +4083,22 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Nastavi najve?jo velikost bloka v bajtih (privzeto: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Nastavi maksimalno velikost visoke-prioritete/nizke-provizije transakcij v bajtih (privzeto: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL možnosti: (glejte Bitcoin Wiki za navodla, kako nastaviti SSL) - + Use OpenSSL (https) for JSON-RPC connections Uporabi OpenSSL (https) za JSON-RPC povezave - + Server certificate file (default: server.cert) Datoteka potrdila strežnika (privzeta: server.cert) @@ -3800,42 +4112,42 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Dovoljeni kodirniki (privzeti: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Neveljavni znesek za -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Opozorilo: -paytxfee je nastavljen zelo visoko! To je transakcijska provizija, ki jo boste pla?ali ob pošiljanju transakcije. - + Invalid amount for -mininput=<amount>: '%s' Neveljavni znesek za -miniput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Denarnica %s se nahaja zunaj datote?nega imenika %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Ni bilo mogo?e najti podatkovnega imenika %s. Aplikacija Gridcoin je verjetno že zagnana. - + Verifying database integrity... Potrdite neopore?nost baze podatkov... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Napaka pri zagonu podatkovne baze okolja %s! Za popravilo, NAPRAVITE VARNOSTNO KOPIJO IMENIKA, in iz njega odstranite vse razen datoteke wallet.dat @@ -3845,22 +4157,37 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Opozorilo: wallet.dat je pokvarjena, podatki rešeni! Originalna wallet.dat je bila shranjena kot denarnica. {timestamp}.bak v %s; ?e imate napa?no prikazano stanje na ra?unu ali v transakcijah prenovite datoteko z varnostno kopijo. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat poškodovana, neuspešna obnova - + Unknown -socks proxy version requested: %i Zahtevana neznana -socks proxy razli?ica: %i - + Invalid -tor address: '%s' Neveljaven -tor naslov: '%s' - + Cannot resolve -bind address: '%s' Ni mogo?e dolo?iti -bind naslova: '%s' @@ -3870,19 +4197,18 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Ni mogo?e dolo?iti -externalip naslova: '%s' - + Invalid amount for -reservebalance=<amount> Neveljavni znesek za -reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - Ni bilo mogo?e vpisati to?ke preverjanja, napa?en klju? za to?ko preverjanja? + Ni bilo mogo?e vpisati to?ke preverjanja, napa?en klju? za to?ko preverjanja? - + Error loading blkindex.dat Napaka pri nalaganju blkindex.dat @@ -3892,22 +4218,22 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Napaka pri nalaganju wallet.dat: denarnica pokvarjena - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Opozorilo: napaka pri branju wallet.dat! Vsi klju?i so bili pravilno prebrani, podatki o transakciji ali imenik vnešenih naslovov so morda izgubljeni ali nepravilni. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Napaka pri nalaganju wallet.dat: denarnica zahteva novejšo verzijo Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete Denarnica mora biti prepisana: ponovno odprite Gridcoin za dokon?anje - + Error loading wallet.dat Napaka pri nalaganju wallet.dat @@ -3922,22 +4248,22 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Uvažanje podatkovne datoteke verige blokov. - + Error: could not start node Napaka: ni mogo?e zagnati vozliš?a - + Unable to bind to %s on this computer. Gridcoin is probably already running. Navezava v %s na tem ra?unalniku ni mogo?a Gridcoin aplikacija je verjetno že zagnana. - + Unable to bind to %s on this computer (bind returned error %d, %s) Na tem ra?unalniku je bilo nemogo?e vezati na %s (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction Napaka: Zaklenjena denarnica, ni mogo?e opraviti transakcije @@ -3947,75 +4273,69 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Napaka: Ta transakcija zahteva transakcijsko provizijo vsaj %s zaradi svoje koli?ine, kompleksnosti ali uporabo sredstev, ki ste jih prejeli pred kratkim. - + Error: Transaction creation failed Napaka: Ustvarjanje transakcije spodletelo - + Sending... Pošiljanje... - + 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. Napaka: Transakcija je bila zavrnjena. To se je lahko zgodilo, ?e so bili kovanci v vaši denarnici že zapravljeni, na primer ?e ste uporabili kopijo wallet.dat in so bili kovanci zapravljeni v kopiji, a tu še niso bili ozna?eni kot zapravljeni. - + Invalid amount Neveljavna koli?ina - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Opozorilo: Prosimo preverite svoj datum in ?as svojega ra?unalnika! ?e je vaša ura nastavljena napa?no Gridcoin ne bo deloval. - Warning: This version is obsolete, upgrade required! - Opozorilo: ta razli?ica je zastarela, potrebna je nadgradnja! + Opozorilo: ta razli?ica je zastarela, potrebna je nadgradnja! - - WARNING: synchronized checkpoint violation detected, but skipped! - OPOZORILO: zaznana je bila kršitev s sinhronizirami to?kami preverjanja, a je bila izpuš?ena. + OPOZORILO: zaznana je bila kršitev s sinhronizirami to?kami preverjanja, a je bila izpuš?ena. - - + Warning: Disk space is low! Opozorilo: Malo prostora na disku! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - OPOZORILO: Najdene so bile neveljavne to?ke preverjanja! Prikazane transakcije so morda napa?ne! Poiš?ite novo razli?ico aplikacije ali pa obvestite razvijalce. + OPOZORILO: Najdene so bile neveljavne to?ke preverjanja! Prikazane transakcije so morda napa?ne! Poiš?ite novo razli?ico aplikacije ali pa obvestite razvijalce. - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Izvedi ukaz, ko bo transakcija denarnice se spremenila (V cmd je bil TxID zamenjan za %s) - + Block creation options: Možnosti ustvarjanja blokov: - + Failed to listen on any port. Use -listen=0 if you want this. Ni mogoče poslušati na nobenih vratih. Če to zares želite, uporabite opcijo -listen=0. - + Specify configuration file (default: gridcoinresearch.conf) @@ -4025,42 +4345,42 @@ Ta oznaka se obarva rde?e, ?e je prioriteta manjša kot "srednja". Ime datoteke z denarnico (znotraj podatkovne mape) - + Send trace/debug info to console instead of debug.log file Pošilja sledilne/razhroščevalne informacije na konzolo namesto v datoteko debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Ob zagonu skrajšaj datoteko debug.log (privzeto: 1, če ni vklopljena opcija -debug) - + Username for JSON-RPC connections Uporabniško ime za povezave na JSON-RPC - + Password for JSON-RPC connections Geslo za povezave na JSON-RPC - + Execute command when the best block changes (%s in cmd is replaced by block hash) Izvedi ukaz, ko je najden najboljši blok (niz %s v ukazu bo zamenjan s hash vrednostjo bloka) - + Allow DNS lookups for -addnode, -seednode and -connect Omogoči poizvedbe DNS za opcije -addnode, -seednode in -connect. - + To use the %s option Za uporabo %s opcije - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4075,7 +4395,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Prišlo je do napake pri nastavljanju RPC porta %u za vhodne povezave na IPv6: %s @@ -4094,27 +4414,27 @@ If the file does not exist, create it with owner-readable-only file permissions. ?e datoteka ne obstaja, jo ustvarite z lastniškimi dovoljenji za datoteke. - + Gridcoin version Gridcoin razli?ica - + Usage: Uporaba: - + Send command to -server or gridcoind - + List commands Prikaži ukaze - + Get help for a command Prikaži pomo? za ukaz @@ -4124,42 +4444,42 @@ If the file does not exist, create it with owner-readable-only file permissions. Gridcoin - + Loading addresses... Nalagam naslove ... - + Invalid -proxy address: '%s' Neveljaven naslov -proxy: '%s' - + Unknown network specified in -onlynet: '%s' Neznano omrežje določeno v -onlynet: '%s'. - + Insufficient funds Premalo sredstev - + Loading block index... Nalagam kazalo blokov ... - + Add a node to connect to and attempt to keep the connection open Dodaj povezavo na vozlišče in jo skušaj držati odprto - + Loading wallet... Nalagam denarnico ... - + Cannot downgrade wallet Ne morem @@ -4169,17 +4489,17 @@ If the file does not exist, create it with owner-readable-only file permissions. Ni mogoče zapisati privzetega naslova - + Rescanning... Ponovno pregledujem verigo ... - + Done loading Nalaganje končano - + Error Napaka diff --git a/src/qt/locale/bitcoin_sq.ts b/src/qt/locale/bitcoin_sq.ts index 28805ed06a..8354b60539 100644 --- a/src/qt/locale/bitcoin_sq.ts +++ b/src/qt/locale/bitcoin_sq.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Overview &Përmbledhje @@ -421,12 +421,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -531,7 +531,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testo rrjetin] @@ -629,7 +629,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -639,7 +639,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -698,7 +698,7 @@ Address: %4 - + %n second(s) @@ -730,7 +730,7 @@ Address: %4 - + Change the passphrase used for wallet encryption Ndrysho frazkalimin e përdorur per enkriptimin e portofolit @@ -780,7 +780,7 @@ Address: %4 &Konfigurimet - + &Help &Ndihmë @@ -3294,32 +3294,32 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opsionet: - + Insufficient funds Fonde te pamjaftueshme - + Rescanning... Rikerkim - + Error Problem - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3334,7 +3334,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3344,34 +3344,330 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adresë + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum number of outbound connections (default: 8) + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + Mining - + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + Please wait for new user wizard to start... - + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3381,27 +3677,57 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3411,12 +3737,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3431,7 +3757,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3441,47 +3767,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3491,62 +3817,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3556,7 +3872,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3566,12 +3882,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3581,17 +3897,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3606,12 +3922,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3621,32 +3937,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3656,12 +3972,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3671,27 +3987,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3706,12 +4022,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3721,22 +4037,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3746,42 +4062,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3791,12 +4107,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3806,7 +4127,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3816,109 +4137,97 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - - Wallet needed to be rewritten: restart Gridcoin to complete - - - - - Error loading wallet.dat + + Vote - - Bitcoin Core + + Wallet locked; - The %s developers + Wallet needed to be rewritten: restart Gridcoin to complete - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Error loading wallet.dat - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - + + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Cannot downgrade wallet @@ -3928,12 +4237,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3942,11 +4251,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3958,7 +4262,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Importing blockchain data file. @@ -3968,7 +4272,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3983,27 +4287,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4013,57 +4317,39 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_sr.ts b/src/qt/locale/bitcoin_sr.ts index 9f852cb0bd..a000de2334 100644 --- a/src/qt/locale/bitcoin_sr.ts +++ b/src/qt/locale/bitcoin_sr.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + &Overview &Општи преглед @@ -426,12 +426,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -526,7 +526,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -625,7 +625,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -635,7 +635,7 @@ Address: %4 - + URI handling @@ -694,7 +694,7 @@ Address: %4 - + %n second(s) @@ -730,7 +730,7 @@ Address: %4 - + &Options... П&оставке... @@ -789,7 +789,7 @@ Address: %4 &Подешавања - + &Help П&омоћ @@ -3299,52 +3299,52 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Opcije - + Specify data directory Gde je konkretni data direktorijum - + Accept command line and JSON-RPC commands Prihvati komandnu liniju i JSON-RPC komande - + Run in the background as a daemon and accept commands Radi u pozadini kao daemon servis i prihvati komande - + Username for JSON-RPC connections Korisničko ime za JSON-RPC konekcije - + Password for JSON-RPC connections Lozinka za JSON-RPC konekcije - + Loading addresses... učitavam adrese.... - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3354,47 +3354,47 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds Nedovoljno sredstava - + Loading block index... Učitavam blok indeksa... - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3409,7 +3409,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3419,55 +3419,39 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3476,11 +3460,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3497,7 +3476,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3507,22 +3486,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3532,27 +3511,57 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Korišćenje: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3562,12 +3571,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3577,7 +3586,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3587,47 +3596,158 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + Connect only to the specified node(s) @@ -3637,62 +3757,237 @@ If the file does not exist, create it with owner-readable-only file permissions. - - Specify your own public address + + Contract length for beacon is less then 256 in length. Size: - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) + + Current Neural Hash - - Discover own IP address (default: 1 when listening and no -externalip) + + Data - - Find peers using internet relay chat (default: 0) + + Delete Beacon Contract - - Accept connections from outside (default: 1 if no -proxy or -connect) + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest - Bind to given address. Use [host]:port notation for IPv6 + Invalid argument exception while parsing Transaction Message -> - - Find peers using DNS lookup (default: 1) + + Is Superblock - - Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) + + Low difficulty!; - - Sync checkpoints policy (default: strict) + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Specify your own public address + + + + + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) + + + + + Discover own IP address (default: 1 when listening and no -externalip) + + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + + + + + Bind to given address. Use [host]:port notation for IPv6 + + + + + Find peers using DNS lookup (default: 1) + + + + + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) + + + + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3702,7 +3997,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3712,22 +4007,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3742,12 +4037,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3757,22 +4052,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3782,12 +4077,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3797,27 +4092,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3832,12 +4127,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3847,22 +4142,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3872,42 +4167,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3917,12 +4212,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3932,7 +4232,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3942,68 +4242,72 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat - + Loading wallet... Новчаник се учитава... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -4013,12 +4317,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... Ponovo skeniram... - + Importing blockchain data file. @@ -4028,45 +4332,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Done loading Završeno učitavanje - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Error Greška diff --git a/src/qt/locale/bitcoin_sv.ts b/src/qt/locale/bitcoin_sv.ts index bce12476d2..ba80abbcfd 100644 --- a/src/qt/locale/bitcoin_sv.ts +++ b/src/qt/locale/bitcoin_sv.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Detta är experimentell mjukvara. @@ -305,7 +314,7 @@ Denna produkten innehåller mjukvara utvecklad av OpenSSL Project för användni BitcoinGUI - + Sign &message... Signera &meddelande... @@ -421,7 +430,7 @@ Denna produkten innehåller mjukvara utvecklad av OpenSSL Project för användni Kryptera eller avkryptera plånbok - + Date: %1 Amount: %2 Type: %3 @@ -436,7 +445,7 @@ Adress: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -450,7 +459,7 @@ Adress: %4 &Säkerhetskopiera plånbok... - + &Change Passphrase... &Byt lösenord... @@ -587,12 +596,12 @@ Adress: %4 - + New User Wizard Användarguide - + &Voting &Röstning @@ -648,7 +657,7 @@ Adress: %4 - + [testnet] [testnet] @@ -801,7 +810,7 @@ Adress: %4 - + %n second(s) %n sekund @@ -857,7 +866,7 @@ Adress: %4 Ingen staking - + &File &Arkiv @@ -878,7 +887,7 @@ Adress: %4 &Avancerat - + &Help &Hjälp @@ -3493,17 +3502,17 @@ Detta betyder att en avgift på minst %2 krävs. bitcoin-core - + Options: Inställningar: - + This help message Det här hjälp medelandet - + Specify pid file (default: gridcoind.pid) @@ -3513,7 +3522,7 @@ Detta betyder att en avgift på minst %2 krävs. Ange katalog för data - + Set database cache size in megabytes (default: 25) Sätt databas cache storleken i megabyte (förvalt: 25) @@ -3523,7 +3532,7 @@ Detta betyder att en avgift på minst %2 krävs. Sätt databas logg storleken i MB (standard: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3533,32 +3542,32 @@ Detta betyder att en avgift på minst %2 krävs. Ange timeout för uppkoppling i millisekunder (förvalt: 5000) - + Connect through socks proxy Koppla genom en socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Välj version av socks proxy (4-5, förval 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Använd proxy för att nå Tor gömda servicer (standard: samma som -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) Lyssna efter anslutningar på <port> (standard: 15714 eller testnät: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Ha som mest <n> anslutningar till andra klienter (förvalt: 125) - + Connect only to the specified node(s) Koppla enbart upp till den/de specificerade noden/noder @@ -3568,62 +3577,246 @@ Detta betyder att en avgift på minst %2 krävs. Anslut till en nod för att hämta klientadresser, och koppla från - + Specify your own public address Ange din egen publika adress - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Anslut enbart till noder i nätverket <net> (IPv4, IPv6 eller Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Hitta egen IP-adress (förvalt: 1 under lyssning och utan -externalip) - Find peers using internet relay chat (default: 0) - Hitta andra klienter genom internet relay chat (standard: 1) {0)?} + Hitta andra klienter genom internet relay chat (standard: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Acceptera anslutningar utifrån (förvalt: 1 om ingen -proxy eller -connect) - + Bind to given address. Use [host]:port notation for IPv6 Bind till angiven adress. Använd [host]:port för IPv6 - + Find peers using DNS lookup (default: 1) Hitta andra klienter via DNS uppsökning (standard: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Synkronisera tiden med andra noder. Avaktivera om klockan i ditt sytem är exakt som t.ex. synkroniserad med NTP (förval: 1) - Sync checkpoints policy (default: strict) - Synka kontrollpunkts policy (standard: strict) + Synka kontrollpunkts policy (standard: strict) - + Threshold for disconnecting misbehaving peers (default: 100) Tröskelvärde för att koppla ifrån klienter som missköter sig (förvalt: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Antal sekunder att hindra klienter som missköter sig från att ansluta (förvalt: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adress + + + + Alert: + + + + + Answer + + + + + Answers + Svar + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Maximal buffert för mottagning per anslutning, <n>*1000 byte (förvalt: 5000) @@ -3633,17 +3826,157 @@ Detta betyder att en avgift på minst %2 krävs. Maximal buffert för sändning per anslutning, <n>*1000 byte (förvalt: 5000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Meddelande + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + Fråga + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + Fördelningstyp + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + Titel + + + + URL + URL + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Använd UPnP för att mappa den lyssnande porten (förvalt: 1 under lyssning) @@ -3653,12 +3986,12 @@ Detta betyder att en avgift på minst %2 krävs. Använd UPnP för att mappa den lyssnande porten (förvalt: 0) - + Fee per KB to add to transactions you send Avgift per KB som adderas till transaktionen du sänder - + When creating transactions, ignore inputs with value less than this (default: 0.01) När transaktioner skapas, ignorera värden som är lägre än detta (standard: 0.01) @@ -3668,12 +4001,12 @@ Detta betyder att en avgift på minst %2 krävs. Tillåt kommandon från kommandotolken och JSON-RPC-kommandon - + Use the test network Använd testnätverket - + Output extra debugging information. Implies all other -debug* options Skriv ut extra debug information. Betyder alla andra -debug* alternativ @@ -3688,32 +4021,32 @@ Detta betyder att en avgift på minst %2 krävs. Tidstämpla debug utskriften - + Send trace/debug info to debugger Skicka trace/debug till debuggern - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) Lyssna efter JSON-RPC anslutningar på <port> (standard: 15715 eller testnät: 25715) - + Allow JSON-RPC connections from specified IP address Tillåt JSON-RPC-anslutningar från specifika IP-adresser - + Send commands to node running on <ip> (default: 127.0.0.1) Skicka kommandon till klient på <ip> (förvalt: 127.0.0.1) - + Require a confirmations for change (default: 0) Kräv bekräftelse för ändring (förval: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) Tvinga transaktionsskript att använda kanoniska PUSH operatörer (standard: 1) @@ -3723,68 +4056,52 @@ Detta betyder att en avgift på minst %2 krävs. Kör kommando när en relevant alert är mottagen (%s i cmd är ersatt av meddelandet) - + Upgrade wallet to latest format Uppgradera plånboken till senaste formatet - + Set key pool size to <n> (default: 100) Sätt storleken på nyckelpoolen till <n> (förvalt: 100) - + Rescan the block chain for missing wallet transactions Sök i blockkedjan efter saknade plånboks transaktioner - + Attempt to recover private keys from a corrupt wallet.dat Försök att rädda de privata nycklarna från en korrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3793,11 +4110,6 @@ Detta betyder att en avgift på minst %2 krävs. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3809,7 +4121,7 @@ Detta betyder att en avgift på minst %2 krävs. - + How many blocks to check at startup (default: 2500, 0 = all) Antal block som kollas vid start (standard: 2500, 0=alla) @@ -3824,7 +4136,7 @@ Detta betyder att en avgift på minst %2 krävs. Importera block från en extern blk000?.dat fil - + Loading Network Averages... @@ -3834,22 +4146,22 @@ Detta betyder att en avgift på minst %2 krävs. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Sätt minsta blockstorlek i byte (förvalt: 0) @@ -3859,22 +4171,22 @@ Detta betyder att en avgift på minst %2 krävs. Sätt största blockstorlek i bytes (förvalt: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Ställ in max storlek för hög prioritet/lågavgifts transaktioner i bytes (förval: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL-inställningar: (se Bitcoin-wikin för SSL-setup instruktioner) - + Use OpenSSL (https) for JSON-RPC connections Använd OpenSSL (https) för JSON-RPC-anslutningar - + Server certificate file (default: server.cert) Serverns certifikatfil (förvalt: server.cert) @@ -3888,42 +4200,42 @@ Detta betyder att en avgift på minst %2 krävs. Godtagbara chiffer (standard: TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' Ogiltigt belopp för -paytxfee=<belopp>:'%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Varning: -paytxfee är satt väldigt hög! Detta är avgiften du kommer betala för varje transaktion. - + Invalid amount for -mininput=<amount>: '%s' Fel mängd för -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. Plånbok %s ligger utanför datamappen %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. Kan inte låsa datan i mappen %s. Gridcoin är kanske redan startad. - + Verifying database integrity... Verifierar integriteten i databasen... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Ett fel uppstod vid initialiseringen av databasen %s! För att återställa, SÄKERHETSKOPIERA MAPPEN, radera sedan allt från mappen förutom wallet.dat. @@ -3933,22 +4245,37 @@ Detta betyder att en avgift på minst %2 krävs. Varning: wallet.dat korrupt, datan har räddats! Den ursprungliga wallet.dat har sparas som wallet.{timestamp}.bak i %s; om ditt saldo eller transaktioner är felaktiga ska du återställa från en säkerhetskopia. - + + Vote + Rösta + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat korrupt, räddning misslyckades - + Unknown -socks proxy version requested: %i Okänd -socks proxy version begärd: %i - + Invalid -tor address: '%s' Fel -tor adress: '%s' - + Cannot resolve -bind address: '%s' Kan inte matcha -bind adress: '%s' @@ -3958,19 +4285,18 @@ Detta betyder att en avgift på minst %2 krävs. Kan inte matcha -externalip adress: '%s' - + Invalid amount for -reservebalance=<amount> Fel mängd för -reservebalance=<amount> - Unable to sign checkpoint, wrong checkpointkey? - Kan inte signera checkpoint, fel checkpointkey? + Kan inte signera checkpoint, fel checkpointkey? - + Error loading blkindex.dat Fel vid laddande av blkindex.dat @@ -3980,22 +4306,22 @@ Detta betyder att en avgift på minst %2 krävs. Fel vid inläsningen av wallet.dat: Plånboken är skadad - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Varning: fel vid läsning av wallet.dat! Alla nycklar lästes korrekt, men transaktionsdatan eller adressbokens poster kanske saknas eller är felaktiga. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin Kunde inte ladda wallet.dat: En nyare version av Gridcoin krävs - + Wallet needed to be rewritten: restart Gridcoin to complete Plånboken måste skrivas om: Starta om Gridcoin för att slutföra - + Error loading wallet.dat Fel vid inläsning av plånboksfilen wallet.dat @@ -4010,22 +4336,22 @@ Detta betyder att en avgift på minst %2 krävs. Importerar bootstrap blockchain data fil. - + Error: could not start node Fel: kunde inte starta noden - + Unable to bind to %s on this computer. Gridcoin is probably already running. Kan inte binda till %s på denna dator. Gridcoin är sannolikt redan startad. - + Unable to bind to %s on this computer (bind returned error %d, %s) Det går inte att binda till %s på den här datorn (bind returnerade felmeddelande %d, %s) - + Error: Wallet locked, unable to create transaction Fel: Plånboken låst, kan inte utföra transaktion @@ -4035,120 +4361,114 @@ Detta betyder att en avgift på minst %2 krävs. Fel: Plånboken öppnad endast för stake-process, kan inte skapa transaktion. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Fel: Transaktionen kräver en transaktionsavgift på min %s på grund av dess storlek, komplexitet eller användning av nyligen mottagna kapital - + Error: Transaction creation failed Fel: Skapandet av transaktion misslyckades - + Sending... Skickar... - + 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. Fel: Transaktionen nekades. Detta kan hända om vissa av mynten i din plånbok redan är använda, t.ex om du använder en kopia av wallet.dat och mynten redan var använda i kopia men inte markerade som använda här. - + Invalid amount Ogiltig mängd - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Varning: Kolla att din dators tid och datum är rätt. Gridcoin kan inte fungera ordentligt om tiden i datorn är fel. - Warning: This version is obsolete, upgrade required! - Varning: denna version är föråldrad, uppgradering krävs! + Varning: denna version är föråldrad, uppgradering krävs! - - WARNING: synchronized checkpoint violation detected, but skipped! - VARNING: synkroniserad kontrollpunkts brott upptäckt, men hoppades över! + VARNING: synkroniserad kontrollpunkts brott upptäckt, men hoppades över! - - + Warning: Disk space is low! Varning: Lågt skivutrymme - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - VARNING: Felaktig kontrollpunkt hittad! Visade transaktioner kan vara felaktiga! Du kan behöva uppgradera eller kontakta utvecklarna. + VARNING: Felaktig kontrollpunkt hittad! Visade transaktioner kan vara felaktiga! Du kan behöva uppgradera eller kontakta utvecklarna. - + Run in the background as a daemon and accept commands Kör i bakgrunden som tjänst och acceptera kommandon - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Exekvera kommando när en plånbokstransaktion ändras (%s i cmd är ersatt av TxID) - + Block creation options: Block skapande inställningar: - + Failed to listen on any port. Use -listen=0 if you want this. Misslyckades att lyssna på någon port. Använd -listen=0 om du vill detta. - + Specify wallet file (within data directory) Ange plånboksfil (inom datakatalogen) - + Send trace/debug info to console instead of debug.log file Skicka trace-/debuginformation till terminalen istället för till debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Krymp debug.log filen vid klient start (förvalt: 1 vid ingen -debug) - + Username for JSON-RPC connections Användarnamn för JSON-RPC-anslutningar - + Password for JSON-RPC connections Lösenord för JSON-RPC-anslutningar - + Execute command when the best block changes (%s in cmd is replaced by block hash) Exekvera kommando när det bästa blocket ändras (%s i cmd är utbytt av blockhash) - + Allow DNS lookups for -addnode, -seednode and -connect Tillåt DNS-sökningar för -addnode, -seednode och -connect - + To use the %s option Att använda %s alternativet - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4163,7 +4483,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s Ett fel uppstod vid upprättandet av RPC port %u för att lyssna på IPv6, faller tillbaka till IPV4: %s @@ -4182,27 +4502,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Om filen inte existerar, skapa den med filrättigheten endast läsbar för ägaren. - + Gridcoin version Gridcoin version - + Usage: Användning: - + Send command to -server or gridcoind - + List commands Lista kommandon - + Get help for a command Få hjälp med ett kommando @@ -4212,42 +4532,42 @@ Om filen inte existerar, skapa den med filrättigheten endast läsbar för ägar Gridcoin - + Loading addresses... Laddar adresser... - + Invalid -proxy address: '%s' Ogiltig -proxy adress: '%s' - + Unknown network specified in -onlynet: '%s' Okänt nätverk som anges i -onlynet: '%s' - + Insufficient funds Otillräckligt med bitcoins - + Loading block index... Laddar blockindex... - + Add a node to connect to and attempt to keep the connection open Lägg till en nod att koppla upp mot och försök att hålla anslutningen öppen - + Loading wallet... Laddar plånbok... - + Cannot downgrade wallet Kan inte nedgradera plånboken @@ -4257,17 +4577,17 @@ Om filen inte existerar, skapa den med filrättigheten endast läsbar för ägar Kan inte skriva standardadress - + Rescanning... Söker igen... - + Done loading Klar med laddning - + Error Fel diff --git a/src/qt/locale/bitcoin_th_TH.ts b/src/qt/locale/bitcoin_th_TH.ts index 1b2b7cc05f..4243befef6 100644 --- a/src/qt/locale/bitcoin_th_TH.ts +++ b/src/qt/locale/bitcoin_th_TH.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... เซ็นต์ชื่อด้วย &ข้อความ... @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [testnet] @@ -706,7 +706,7 @@ Address: %4 - + %n second(s) @@ -744,7 +744,7 @@ Address: %4 - + &File &ไฟล์ @@ -764,7 +764,7 @@ Address: %4 - + &Help &ช่วยเหลือ @@ -3297,12 +3297,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3317,7 +3317,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3327,55 +3327,39 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3384,11 +3368,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3405,7 +3384,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3415,22 +3394,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3441,46 +3420,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: วิธีใช้งาน: - + Send command to -server or gridcoind - + List commands - + Get help for a command + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: ตัวเลือก: - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message - + Specify pid file (default: gridcoind.pid) @@ -3495,7 +3800,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3505,47 +3810,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3555,62 +3860,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3620,7 +3915,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3630,12 +3925,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3645,17 +3940,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3670,12 +3965,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3685,32 +3980,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3720,12 +4015,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3735,27 +4030,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3770,12 +4065,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3785,22 +4080,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3810,42 +4105,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3855,12 +4150,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3870,7 +4170,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3880,73 +4180,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3956,12 +4260,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3971,32 +4275,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4006,65 +4310,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Error ข้อผิดพลาด diff --git a/src/qt/locale/bitcoin_tr.ts b/src/qt/locale/bitcoin_tr.ts index 8943328db4..4255cf4960 100644 --- a/src/qt/locale/bitcoin_tr.ts +++ b/src/qt/locale/bitcoin_tr.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. - + Bu, deneysel bir yazılımdır. MIT/X11 yazılım lisansı kapsamında yayınlanmıştır, beraberindeki COPYING dosyasına ya da http://www.opensource.org/licenses/mit-license.php sayfasına bakınız. @@ -304,7 +313,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... &İleti imzala... @@ -420,7 +429,7 @@ This product includes software developed by the OpenSSL Project for use in the O Cüzdanı şifrele veya cüzdanın şifresini aç - + Date: %1 Amount: %2 Type: %3 @@ -435,7 +444,7 @@ Adres: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -449,7 +458,7 @@ Adres: %4 Cüzdanı &Yedekle... - + &Change Passphrase... Parolayı &Değiştir... @@ -586,12 +595,12 @@ Adres: %4 - + New User Wizard Yeni Kullanıcı Sihirbazı - + &Voting &Oylama @@ -631,7 +640,7 @@ Adres: %4 - + [testnet] [testnet] @@ -784,7 +793,7 @@ Adres: %4 - + %n second(s) %n saniye @@ -844,7 +853,7 @@ Adres: %4 Pay alınmıyor - + &File &Dosya @@ -864,7 +873,7 @@ Adres: %4 - + &Help &Yardım @@ -3442,12 +3451,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Seçenekler: - + This help message Bu yardım mesajı @@ -3456,7 +3465,7 @@ This label turns red, if the priority is smaller than "medium". Yapılandırma dosyası belirtin (varsayılan: gridcoin.conf) - + Specify pid file (default: gridcoind.pid) @@ -3466,7 +3475,7 @@ This label turns red, if the priority is smaller than "medium". Veri dizinini belirt - + Set database cache size in megabytes (default: 25) Veritabanı önbellek boyutunu megabayt olarak belirt (varsayılan: 25) @@ -3476,7 +3485,7 @@ This label turns red, if the priority is smaller than "medium". Veritabanı disk log boyutunu megabayt olarak ayarla (varsayılan: 100) - + Specify configuration file (default: gridcoinresearch.conf) @@ -3486,32 +3495,32 @@ This label turns red, if the priority is smaller than "medium". Bağlantı zaman aşım süresini milisaniye olarak belirt (varsayılan: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) Kullanılacak socks vekil sunucusunun versiyonunu seç (4-5, varsayılan: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) Tor gizli servisine erişim için vekil sunucu kullan (varsayılan: -proxy ile aynı) - + Listen for connections on <port> (default: 32749 or testnet: 32748) <port> üzerinde bağlantıları dinle (varsayılan: 15714 veya testnet: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) Eşler ile en çok <n> adet bağlantı kur (varsayılan: 125) - + Connect only to the specified node(s) Sadece belirtilen ağ noktalarına bağlan @@ -3521,62 +3530,246 @@ This label turns red, if the priority is smaller than "medium". Eş adresleri elde etmek için bir düğüme bağlan ve ardından bağlantıyı kes - + Specify your own public address Kendi genel adresinizi tanımlayın - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) Sadece <net> şebekesindeki ağ noktalarına bağlan (IPv4, IPv6 ya da Tor) - + Discover own IP address (default: 1 when listening and no -externalip) Kendi IP adresini keşfet (varsayılan: dinlenildiğinde ve -externalip yoksa 1) - Find peers using internet relay chat (default: 0) - Internet aktarımlı chat kullanarak eşleri bul (varsayılan: 1) {0)?} + Internet aktarımlı chat kullanarak eşleri bul (varsayılan: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) Dıarıdan gelen bağlantıları kabul et (varsayılan: -proxy veya -connect yoksa 1) - + Bind to given address. Use [host]:port notation for IPv6 Belirtilen adrese bağlı. IPv6 için [host]:port notasyonunu kullan - + Find peers using DNS lookup (default: 1) DNS arama kullanarak eşleri bul (varsayılan: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) Diğer ağ noktalarıyla saati senkronize et. Sisteminizdeki saat doğru ise devre dışı bırakın, örn: NTC ile senkronize etme (varsayılan: 1) - Sync checkpoints policy (default: strict) - Kontrol noktası politikasını senkronize et (varsayılan: sıkı) + Kontrol noktası politikasını senkronize et (varsayılan: sıkı) - + Threshold for disconnecting misbehaving peers (default: 100) Aksaklık gösteren eşlerle baılantıyı kesme sınırı (varsayılan: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) Aksaklık gösteren eşlerle yeni bağlantıları engelleme süresi, saniye olarak (varsayılan: 86400) - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + Adres + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) Bağlantı başına azami alım tamponu, <n>*1000 bayt (varsayılan: 5000) @@ -3586,17 +3779,157 @@ This label turns red, if the priority is smaller than "medium". Bağlantı başına azami yollama tamponu, <n>*1000 bayt (varsayılan: 1000) - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + İleti + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + Soru + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + Başlık + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) Dinlenecek portu haritalamak için UPnP kullan (varsayılan: dinlenildiğinde 1) @@ -3606,12 +3939,12 @@ This label turns red, if the priority is smaller than "medium". Dinlenecek portu haritalamak için UPnP kullan (varsayılan: 0) - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3621,12 +3954,12 @@ This label turns red, if the priority is smaller than "medium". Komut satırı ve JSON-RPC komutlarını kabul et - + Use the test network Deneme şebekesini kullan - + Output extra debugging information. Implies all other -debug* options Ekstra hata ayıklama bilgisini çıktı al. Diğer tüm -debug* seçeneklerini kapsar @@ -3641,32 +3974,32 @@ This label turns red, if the priority is smaller than "medium". Tarih bilgisini, hata ayıklama çıktısının başına ekle - + Send trace/debug info to debugger Hata ayıklayıcıya hata ayıklama bilgisi gönder - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) <port> üzerinde JSON-RPC bağlantılarını dinle (varsayılan: 15715 veya testnet: 25715) - + Allow JSON-RPC connections from specified IP address Belirtilen IP adresinden JSON-RPC bağlantılarını kabul et - + Send commands to node running on <ip> (default: 127.0.0.1) Şu <ip> adresinde (varsayılan: 127.0.0.1) çalışan ağ noktasına komut yolla - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3676,68 +4009,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format Cüzdanı en yeni sürüme güncelle - + Set key pool size to <n> (default: 100) Anahtar alan boyutunu <n> değerine ayarla (varsayılan: 100) - + Rescan the block chain for missing wallet transactions Blok zincirini eksik cüzdan işlemleri için tekrar yapılandır - + Attempt to recover private keys from a corrupt wallet.dat Bozuk bir wallet.dat dosyasından özel anahtarları geri kazanmayı dene - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3746,11 +4063,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3762,7 +4074,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) Başlangıçta kontrol edilecek blok sayısı (varsayılan: 500, 0 = tümü) {2500, 0 ?} @@ -3777,7 +4089,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3787,22 +4099,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) Bayt olarak asgari blok boyutunu tanımla (varsayılan: 0) @@ -3812,22 +4124,22 @@ This label turns red, if the priority is smaller than "medium". Bayt olarak maksimum blok boyutunu belirle (varsayılan: 250000) - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) Bayt olarak yüksek öncelikli/düşük ücretli işlemlerin maksimum boyutunu belirle (varsayılan: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL seçenekleri: (SSL kurulum bilgisi için Bitcoin vikisine bakınız) - + Use OpenSSL (https) for JSON-RPC connections JSON-RPC bağlantıları için OpenSSL (https) kullan - + Server certificate file (default: server.cert) Sunucu sertifika dosyası (varsayılan: server.cert) @@ -3837,42 +4149,42 @@ This label turns red, if the priority is smaller than "medium". Sunucu özel anahtarı (varsay?lan: server.pem) - + Invalid amount for -paytxfee=<amount>: '%s' -paytxfee=<meblağ> için geçersiz meblağ: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. Uyarı: -paytxfee çok yüksek bir değere ayarlanmış! Bu, coin gönderirseniz ödeyeceğiniz işlem ücretidir. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. Başlatma kontrolü başarışız oldu. Gridcoin kapanıyor. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... Veritabanı bütünlüğü doğrulanıyor... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. Veritabanı ortamı %s başlatılırken hata oluştu! Kurtarmak için, İLGİLİ KLASÖRÜ YEDEKLEYİN, ardından wallet.dat dışındaki herşeyi silin. @@ -3882,22 +4194,37 @@ This label turns red, if the priority is smaller than "medium". Uyarı: wallet.dat bozuk, veriler geri kazanıldı! Özgün wallet.dat, wallet.{zamandamgası}.bak olarak %s klasörüne kaydedildi; bakiyeniz ya da işlemleriniz yanlışsa bir yedeklemeden tekrar yüklemeniz gerekir. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat bozuk, geri kazanım başarısız oldu - + Unknown -socks proxy version requested: %i Bilinmeyen bir -socks vekil sürümü talep edildi: %i - + Invalid -tor address: '%s' Geçersiz -tor adresi: '%s' - + Cannot resolve -bind address: '%s' -bind adresi çözümlenemedi: '%s' @@ -3907,19 +4234,18 @@ This label turns red, if the priority is smaller than "medium". -externalip adresi çözümlenemedi: '%s' - + Invalid amount for -reservebalance=<amount> -reservebalance=<amount> için geçersiz miktar - Unable to sign checkpoint, wrong checkpointkey? - Kontrol noktası imzalanamadı, bu bir hatalı kontrol noktası anahtarı mı? + Kontrol noktası imzalanamadı, bu bir hatalı kontrol noktası anahtarı mı? - + Error loading blkindex.dat @@ -3929,22 +4255,22 @@ This label turns red, if the priority is smaller than "medium". wallet.dat dosyasının yüklenmesinde hata oluştu: bozuk cüzdan - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. Uyarı: wallet.dat dosyasının okunması sırasında bir hata meydana geldi! Tüm anahtarlar doğru bir şekilde okundu, ancak işlem verileri ya da adres defteri unsurları hatalı veya eksik olabilir. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin HATA: wallet.dat yüklenemedi, wallet.dat daha yeni bir Gridcoin istemcisine ihtiyaç duyuyor. - + Wallet needed to be rewritten: restart Gridcoin to complete Cüzdanın tekrardan oluşturulması gerekiyor: Gridcoin istemcisini yeniden başlatın - + Error loading wallet.dat wallet.dat dosyasının yüklenmesinde hata oluştu @@ -3959,22 +4285,22 @@ This label turns red, if the priority is smaller than "medium". Önyükleme blok zinciri veri dosyası içeri aktarılıyor. - + Error: could not start node Ağ Noktası Başlatılamadı - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) Bu bilgisayarda %s unsuruna bağlanılamadı. (bind şu hatayı iletti: %d, %s) - + Error: Wallet locked, unable to create transaction Hata: Cüzdan kilitli, işlem yapılamıyor. @@ -3984,120 +4310,110 @@ This label turns red, if the priority is smaller than "medium". Hata: Cüzdan sadece pay almak için açık, coin gönderilemez. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds Hata: Bu işlem; miktarı, karmaşıklığı veya son alınan miktarın kullanımı nedeniyle en az %s işlem ücreti gerektirir - + Error: Transaction creation failed Hata: İşlem yaratma başarısız oldu - + Sending... Gönderiyor... - + 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. Hata: İşlem reddedildi. Bu; cüzdanınızdaki bazı coinler, önceden harcanmışsa, örneğin wallet.dat dosyasının bir kopyasını kullandıysanız ve bu kopyadaki coinler harcanmış ise ve burada harcanmış olarak işaretlenmediğinden olabilir. - + Invalid amount Geçersiz meblağ - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. Uyarı: Lütfen bilgisayarınızın tarih ve saatinin doğruluğunu kontrol ediniz! Saatiniz yanlış ise, Gridcoin düzgün çalışmayacaktır. - Warning: This version is obsolete, upgrade required! - Uyarı: Bu sürüm çok eskidir, güncellemeniz gerekir! + Uyarı: Bu sürüm çok eskidir, güncellemeniz gerekir! - - WARNING: synchronized checkpoint violation detected, but skipped! - UYARI: Senkronize edilen kontrol noktası ihlali tespit edildi ancak atlandı! + UYARI: Senkronize edilen kontrol noktası ihlali tespit edildi ancak atlandı! - - + Warning: Disk space is low! Uyarı: Disk alanınız düşük! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands Arka planda daemon (servis) olarak çalış ve komutları kabul et - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Bir cüzdan işlemi değiştiğinde komutu çalıştır (komuttaki %s işlem kimliği ile değiştirilecektir) - + Block creation options: Blok oluşturma seçenekleri: - + Failed to listen on any port. Use -listen=0 if you want this. Herhangi bir portun dinlenmesi başarısız oldu. Bunu istiyorsanız -listen=0 seçeneğini kullanınız. - + Specify wallet file (within data directory) Cüzdan dosyası belirtiniz (veri klasörünün içinde) - + Send trace/debug info to console instead of debug.log file İzleme/hata ayıklama verilerini debug.log dosyası yerine konsola gönder - + Shrink debug.log file on client startup (default: 1 when no -debug) İstemci başlatıldığında debug.log dosyasını küçült (varsayılan: -debug bulunmadığında 1) - + Username for JSON-RPC connections JSON-RPC bağlantıları için kullanıcı ismi - + Password for JSON-RPC connections JSON-RPC bağlantıları için parola - + Execute command when the best block changes (%s in cmd is replaced by block hash) En iyi blok değiştiğinde komutu çalıştır (komut için %s parametresi blok hash değeri ile değiştirilecektir) - + Allow DNS lookups for -addnode, -seednode and -connect -addnode, -seednode ve -connect için DNS aramalarına izin ver - + To use the %s option %s seçeneğini kullanmak için - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -4112,7 +4428,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s IPv6 üzerinde dinlemek için %u numaralı RPC portu kurulurken bir hata meydana geldi, IPv4'e dönülüyor: %s @@ -4131,27 +4447,27 @@ If the file does not exist, create it with owner-readable-only file permissions. Dosya mevcut deilse, sadece sahibi için okumayla sınırlı izin ile oluşturunuz. - + Gridcoin version Gridcoin Versiyonu - + Usage: Kullanım: - + Send command to -server or gridcoind Server'a veya Hata Ayıklama Konsoluna Komut Gönder - + List commands Komutları Listele - + Get help for a command Komutlar için yardım al @@ -4161,42 +4477,42 @@ Dosya mevcut deilse, sadece sahibi için okumayla sınırlı izin ile oluşturun Gridcoin - + Loading addresses... Adresler yükleniyor... - + Invalid -proxy address: '%s' Geçersiz -proxy adresi: '%s' - + Unknown network specified in -onlynet: '%s' -onlynet için bilinmeyen bir ağ belirtildi: '%s' - + Insufficient funds Yetersiz Bakiye - + Loading block index... Blok indeksi yükleniyor... - + Add a node to connect to and attempt to keep the connection open Bağlanılacak ağ noktası ekle ve bağlantıyı sürekli açık tutmaya çalış - + Loading wallet... Cüzdan yükleniyor... - + Cannot downgrade wallet Cüzdan eski sürüme geri alınamaz @@ -4206,17 +4522,17 @@ Dosya mevcut deilse, sadece sahibi için okumayla sınırlı izin ile oluşturun Varsayılan adres yazılamadı - + Rescanning... Yeniden taranıyor... - + Done loading Yükleme Tamamlandı - + Error Hata diff --git a/src/qt/locale/bitcoin_uk.ts b/src/qt/locale/bitcoin_uk.ts index c7cebc2df7..79a96aa451 100644 --- a/src/qt/locale/bitcoin_uk.ts +++ b/src/qt/locale/bitcoin_uk.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... &Підписати повідомлення... @@ -524,12 +524,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] [тестова мережа] @@ -706,7 +706,7 @@ Address: %4 - + %n second(s) @@ -752,7 +752,7 @@ Address: %4 - + &File &Файл @@ -772,7 +772,7 @@ Address: %4 - + &Help &Довідка @@ -3322,17 +3322,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Параметри: - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3342,7 +3342,7 @@ This label turns red, if the priority is smaller than "medium". Вкажіть робочий каталог - + Set database cache size in megabytes (default: 25) @@ -3352,7 +3352,7 @@ This label turns red, if the priority is smaller than "medium". - + Specify configuration file (default: gridcoinresearch.conf) @@ -3362,32 +3362,32 @@ This label turns red, if the priority is smaller than "medium". - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) @@ -3397,62 +3397,238 @@ This label turns red, if the priority is smaller than "medium". Підключитись до вузла, щоб отримати список адрес інших учасників та від'єднатись - + Specify your own public address Вкажіть вашу власну публічну адресу - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key - + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3462,17 +3638,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3482,12 +3798,12 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3497,12 +3813,12 @@ This label turns red, if the priority is smaller than "medium". Приймати команди із командного рядка та команди JSON-RPC - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3517,32 +3833,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3552,68 +3868,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3622,11 +3922,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3638,7 +3933,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3653,7 +3948,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3663,22 +3958,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3688,22 +3983,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3713,42 +4008,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3758,22 +4053,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3783,18 +4093,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3804,22 +4108,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3834,22 +4138,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3859,120 +4163,102 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands Запустити в фоновому режимі (як демон) та приймати команди - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) Виконати команду, коли транзакція гаманця зміниться (замість %s в команді буде підставлено ідентифікатор транзакції) - + Block creation options: Опції створення блоку: - + Failed to listen on any port. Use -listen=0 if you want this. Не вдалося слухати на жодному порту. Використовуйте -listen=0, якщо ви хочете цього. - + Specify wallet file (within data directory) Вкажіть файл гаманця (в межах каталогу даних) - + Send trace/debug info to console instead of debug.log file Відсилати налагоджувальну інформацію на консоль, а не у файл debug.log - + Shrink debug.log file on client startup (default: 1 when no -debug) Стискати файл debug.log під час старту клієнта (типово: 1 коли відсутній параметр -debug) - + Username for JSON-RPC connections Ім'я користувача для JSON-RPC-з'єднань - + Password for JSON-RPC connections Пароль для JSON-RPC-з'єднань - + Execute command when the best block changes (%s in cmd is replaced by block hash) Виконати команду, коли з'явиться новий блок (%s в команді змінюється на хеш блоку) - + Allow DNS lookups for -addnode, -seednode and -connect Дозволити пошук в DNS для команд -addnode, -seednode та -connect - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3987,7 +4273,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4004,27 +4290,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: Використання: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -4034,42 +4320,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... Завантаження адрес... - + Invalid -proxy address: '%s' Помилка в адресі проксі-сервера: «%s» - + Unknown network specified in -onlynet: '%s' Невідома мережа вказана в -onlynet: «%s» - + Insufficient funds Недостатньо коштів - + Loading block index... Завантаження індексу блоків... - + Add a node to connect to and attempt to keep the connection open Додати вузол до підключення і лишити його відкритим - + Loading wallet... Завантаження гаманця... - + Cannot downgrade wallet Не вдається понизити версію гаманця @@ -4079,17 +4365,17 @@ If the file does not exist, create it with owner-readable-only file permissions. Неможливо записати типову адресу - + Rescanning... Сканування... - + Done loading Завантаження завершене - + Error Помилка diff --git a/src/qt/locale/bitcoin_ur_PK.ts b/src/qt/locale/bitcoin_ur_PK.ts index e402216561..c4cdf7de10 100644 --- a/src/qt/locale/bitcoin_ur_PK.ts +++ b/src/qt/locale/bitcoin_ur_PK.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Wallet @@ -441,12 +441,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -581,7 +581,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + &Help @@ -719,7 +719,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -729,7 +729,7 @@ Address: %4 - + URI handling @@ -778,7 +778,7 @@ Address: %4 - + %n second(s) @@ -3282,12 +3282,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3302,7 +3302,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3312,55 +3312,39 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3369,11 +3353,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3390,7 +3369,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3400,22 +3379,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3426,46 +3405,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands - + Get help for a command + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + Address + پتہ + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message - + Specify pid file (default: gridcoind.pid) @@ -3480,7 +3785,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3490,47 +3795,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3540,62 +3845,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3605,7 +3900,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3615,12 +3910,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3630,17 +3925,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3655,12 +3950,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3670,32 +3965,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3705,12 +4000,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3720,27 +4015,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3755,12 +4050,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3770,22 +4065,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3795,42 +4090,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3840,12 +4135,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3855,7 +4155,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3865,73 +4165,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3941,12 +4245,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3956,32 +4260,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3991,65 +4295,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds ناکافی فنڈز - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Error نقص diff --git a/src/qt/locale/bitcoin_vi.ts b/src/qt/locale/bitcoin_vi.ts index ac42ae7a9d..94c364e932 100644 --- a/src/qt/locale/bitcoin_vi.ts +++ b/src/qt/locale/bitcoin_vi.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Wallet @@ -441,12 +441,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -581,7 +581,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + &Help @@ -718,7 +718,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -728,7 +728,7 @@ Address: %4 - + URI can not be parsed! This can be caused by an invalid Gridcoin address or malformed URI parameters. @@ -777,7 +777,7 @@ Address: %4 - + %n second(s) @@ -3273,12 +3273,12 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3293,27 +3293,17 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + Error - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3323,40 +3313,34 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3365,11 +3349,6 @@ If the file does not exist, create it with owner-readable-only file permissions. Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3386,7 +3365,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading Network Averages... @@ -3396,22 +3375,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3422,46 +3401,372 @@ If the file does not exist, create it with owner-readable-only file permissions. + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: - + Send command to -server or gridcoind - + List commands - + Get help for a command + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + ??a ch? + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin - + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + Options: - + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + This help message - + Specify pid file (default: gridcoind.pid) @@ -3476,7 +3781,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3486,47 +3791,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3536,62 +3841,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3601,7 +3896,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3611,12 +3906,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3626,17 +3921,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3651,12 +3946,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3666,32 +3961,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3701,12 +3996,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3716,27 +4011,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3751,12 +4046,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3766,22 +4061,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3791,42 +4086,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3836,12 +4131,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3851,7 +4151,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3861,73 +4161,77 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Loading block index... - + Error loading blkindex.dat - + Loading wallet... - + Error loading wallet.dat: Wallet corrupted - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + + Vote + + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat - + Cannot downgrade wallet @@ -3937,12 +4241,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Rescanning... - + Importing blockchain data file. @@ -3952,32 +4256,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... - + Error: could not start node - + Done loading - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3987,62 +4291,44 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Insufficient funds - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_vi_VN.ts b/src/qt/locale/bitcoin_vi_VN.ts index 259c1a8efb..3f3a9ea839 100644 --- a/src/qt/locale/bitcoin_vi_VN.ts +++ b/src/qt/locale/bitcoin_vi_VN.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... Chứ ký & Tin nhắn... @@ -519,12 +519,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard - + &Voting @@ -569,7 +569,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + [testnet] @@ -713,7 +713,7 @@ Address: %4 - + %n second(s) @@ -751,7 +751,7 @@ Address: %4 - + &File &File @@ -771,7 +771,7 @@ Address: %4 - + &Help Trợ &giúp @@ -3304,58 +3304,42 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: Lựa chọn: - + Loading addresses... Đang đọc các địa chỉ... - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3364,11 +3348,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3380,12 +3359,12 @@ This label turns red, if the priority is smaller than "medium". - + Insufficient funds Không đủ tiền - + Loading Network Averages... @@ -3400,22 +3379,22 @@ This label turns red, if the priority is smaller than "medium". Đang đọc block index... - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Specify configuration file (default: gridcoinresearch.conf) @@ -3425,17 +3404,17 @@ This label turns red, if the priority is smaller than "medium". - + To use the %s option - + Loading wallet... Đang đọc ví... - + Cannot downgrade wallet Không downgrade được ví @@ -3445,22 +3424,22 @@ This label turns red, if the priority is smaller than "medium". Không ghi được địa chỉ mặc định - + Rescanning... Đang quét lại... - + Done loading Đã nạp xong - + Error Lỗi - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3475,7 +3454,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -3485,39 +3464,365 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. - + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + + + + + Alert: + + + + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + Gridcoin version - - Unable To Send Beacon! Unlock Wallet! + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + Tin nhắn + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + + Unable To Send Beacon! Unlock Wallet! + + + + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: Mức sử dụng - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -3527,12 +3832,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3547,7 +3852,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set database cache size in megabytes (default: 25) @@ -3557,47 +3862,47 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify connection timeout in milliseconds (default: 5000) - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Allow DNS lookups for -addnode, -seednode and -connect - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Add a node to connect to and attempt to keep the connection open - + Connect only to the specified node(s) @@ -3607,62 +3912,52 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Specify your own public address - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) - - - - + Threshold for disconnecting misbehaving peers (default: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3672,7 +3967,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Use UPnP to map the listening port (default: 1 when listening) @@ -3682,12 +3977,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3697,17 +3992,17 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Run in the background as a daemon and accept commands - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3722,12 +4017,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Shrink debug.log file on client startup (default: 1 when no -debug) - + Send trace/debug info to console instead of debug.log file @@ -3737,32 +4032,32 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Username for JSON-RPC connections - + Password for JSON-RPC connections - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Execute command when the best block changes (%s in cmd is replaced by block hash) @@ -3772,12 +4067,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3787,27 +4082,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3822,12 +4117,12 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Block creation options: - + Set minimum block size in bytes (default: 0) @@ -3837,22 +4132,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3862,42 +4157,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3907,12 +4202,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i @@ -3922,7 +4232,7 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Invalid -proxy address: '%s' @@ -3932,33 +4242,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Cannot resolve -bind address: '%s' - + Failed to listen on any port. Use -listen=0 if you want this. - + Cannot resolve -externalip address: '%s' - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3968,22 +4272,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3998,22 +4302,22 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -4023,57 +4327,39 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - diff --git a/src/qt/locale/bitcoin_zh_CN.ts b/src/qt/locale/bitcoin_zh_CN.ts index 263311c3e3..2df6659aa5 100644 --- a/src/qt/locale/bitcoin_zh_CN.ts +++ b/src/qt/locale/bitcoin_zh_CN.ts @@ -18,10 +18,19 @@ This is experimental software. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://opensource.org/licenses/mit-license.php. + +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. + + + + +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. @@ -304,7 +313,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Gridcoin 格雷德币 @@ -433,12 +442,12 @@ This product includes software developed by the OpenSSL Project for use in the O - + New User Wizard 新用户向导 - + &Voting &投票 @@ -539,7 +548,7 @@ This product includes software developed by the OpenSSL Project for use in the O &高级 - + [testnet] [测试网络] @@ -636,7 +645,7 @@ Address: %4 ?} {4?} - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -658,7 +667,7 @@ Address: %4 - + URI handling URI处理 @@ -717,7 +726,7 @@ Address: %4 - + %n second(s) %n 秒 @@ -777,7 +786,7 @@ Address: %4 未进行权益增值 - + &Overview 概况(&O) @@ -880,7 +889,7 @@ Address: %4 设置(&S) - + &Help 帮助(&H) @@ -3485,97 +3494,97 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: 选项: - + Specify data directory 指定数据目录 - + Connect to a node to retrieve peer addresses, and disconnect 连接一个节点并获取对端地址,然后断开连接 - + Specify your own public address 指定您的公共地址 - + Accept command line and JSON-RPC commands 接受命令行和 JSON-RPC 命令 - + Run in the background as a daemon and accept commands 在后台作为守护进程运行并接受指令 - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) 当钱包转账变化时执行命令 (命令行中的 %s 会被替换成TxID) - + Block creation options: 区块生成选项: - + Failed to listen on any port. Use -listen=0 if you want this. 监听任意端口失败。 若您希望如此,使用 -listen=0. - + Specify wallet file (within data directory) 指定钱包文件(数据目录内) - + Send trace/debug info to console instead of debug.log file 跟踪/调试信息输出到控制台,不输出到 debug.log 文件 - + Shrink debug.log file on client startup (default: 1 when no -debug) 客户端启动时压缩debug.log文件(缺省:no-debug模式时为1) - + Username for JSON-RPC connections JSON-RPC 连接用户名 - + Password for JSON-RPC connections JSON-RPC 连接密码 - + Execute command when the best block changes (%s in cmd is replaced by block hash) 当最佳区块变化时执行命令 (命令行中的 %s 会被替换成区块哈希值) - + Allow DNS lookups for -addnode, -seednode and -connect 使用 -addnode, -seednode 和 -connect选项时允许DNS查找 - + To use the %s option 使用 %s 选项 - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3600,32 +3609,32 @@ rpcpassword=%s - + Loading addresses... 正在加载地址... - + Invalid -proxy address: '%s' 无效的代理地址: '%s' - + Unknown network specified in -onlynet: '%s' 被指定的是未知网络 -onlynet: '%s' - + Unable to bind to %s on this computer. Gridcoin is probably already running. 无法在本机绑定 %s 端口。比特币客户端软件可能已经在运行。 - + Unable to bind to %s on this computer (bind returned error %d, %s) 无法绑定本机端口 %s (返回错误消息 %d, %s) - + Error: Wallet locked, unable to create transaction 错误:钱包已锁定,不能创建交易 @@ -3635,57 +3644,47 @@ rpcpassword=%s 错误:钱包解锁仅用于权益增值,无法创建交易。 - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds 错误:转账需要至少 %s 的转账费,因为其数额,复杂度或使用了近期收到的存款 - + Error: Transaction creation failed 错误:交易创建失败 - + Sending... 发送中... - + 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文件的副本,钱币在该副本中被花费但未在这里标记为已花费时。 - + Invalid amount 无效金额 - + Insufficient funds 存款不足 - + Loading block index... 加载区块索引... - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s 当设置RPC端口%u以进行IPv6监听时出错,回到IPv4: %s - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) @@ -3695,13 +3694,7 @@ rpcpassword=%s 设置RPC端口%u以监听IPv4:%s时出现错误 - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + You must set rpcpassword=<password> in the configuration file: %s If the file does not exist, create it with owner-readable-only file permissions. @@ -3712,27 +3705,27 @@ rpcpassword=<password> 如果配置文件不存在,请新建,并将文件权限设置为仅允许文件所有者读取。 - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3741,11 +3734,6 @@ rpcpassword=<password> Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3762,7 +3750,7 @@ rpcpassword=<password> 格雷德币版本 - + Loading Network Averages... @@ -3772,22 +3760,37 @@ rpcpassword=<password> - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + 计票方式 + + + Specify configuration file (default: gridcoinresearch.conf) @@ -3797,28 +3800,58 @@ rpcpassword=<password> - + + Text Message + + + + + Text Rain Message + + + + + Title + 标题 + + + + URL + 网址 + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Usage: 使用: - + Send command to -server or gridcoind 向-server或gridcoind发送指令 - + List commands 命令列表 - + Get help for a command 得到关于某个命令的帮助 @@ -3829,7 +3862,7 @@ rpcpassword=<password> 格雷德币 - + This help message 该帮助信息 @@ -3839,12 +3872,12 @@ rpcpassword=<password> 指定配置文件 (默认:gridcoin.conf) - + Specify pid file (default: gridcoind.pid) 指定pid文件 (默认:gridcoind.pid) - + Set database cache size in megabytes (default: 25) 设置以MB为单位的数据库缓存大小 (默认值: 25MB) @@ -3854,97 +3887,95 @@ rpcpassword=<password> 设置以MB为单位的数据磁盘日志大小 (默认值: 100MB) - + Specify connection timeout in milliseconds (default: 5000) 指定连接超时毫秒数 (默认: 5000) - + Connect through socks proxy 通过 socks 代理连接 - + Select the version of socks proxy to use (4-5, default: 5) 选择SOCKS服务器的使用版本(4-5, 默认: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) 使用代理到达隐藏服务器 (默认: 与-proxy相同) - + Listen for connections on <port> (default: 32749 or testnet: 32748) 使用<port>端口监听连接 (默认: 15714 或测试网络: 25714) {32749 ?} {32748)?} - + Maintain at most <n> connections to peers (default: 125) 保留最多 <n> 条节点连接 (默认: %u) - + Add a node to connect to and attempt to keep the connection open 添加节点并与其保持连接 - + Connect only to the specified node(s) 只连接到特定的节点 - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) 只连接 <net>网络中的节点 (ipv4, ipv6 或 onion) - + Discover own IP address (default: 1 when listening and no -externalip) 找到您自己的IP地址(缺省:1,当监听时, 且无 -externalip) - Find peers using internet relay chat (default: 0) - 寻找使用互联网中继聊天的同伴 (默认: 1) {0)?} + 寻找使用互联网中继聊天的同伴 (默认: 1) {0)?} - + Accept connections from outside (default: 1 if no -proxy or -connect) 接受外部连接 (默认: 1,若无 -proxy 或 -connect) - + Bind to given address. Use [host]:port notation for IPv6 绑定指定的IP地址开始监听。IPv6地址请使用[host]:port 格式 - + Find peers using DNS lookup (default: 1) 通过DNS查找网络上的节点 (缺省: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) 与其他节点同步时间。无效化之,若您的系统时间是准确的,例如与NTP同步(默认: 1) - Sync checkpoints policy (default: strict) - 同步检查点策略 (缺省:严格) + 同步检查点策略 (缺省:严格) - + Threshold for disconnecting misbehaving peers (default: 100) 断开 非礼节点的阀值 (默认: 100) - + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) 限制 非礼节点 若干秒内不能连接 (默认: 86400) (??: 86400) - + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) 每个连接的最大接收缓存,<n>*1000 字节 (默认: 5000) @@ -3954,7 +3985,7 @@ rpcpassword=<password> 每个连接的最大发送缓存,<n>*1000 字节 (默认: 1000) - + Use UPnP to map the listening port (default: 1 when listening) 使用UPnP暴露本机监听端口(默认:1 当正在监听) @@ -3964,23 +3995,23 @@ rpcpassword=<password> 使用UPnP暴露本机监听端口(默认:0) - + Fee per KB to add to transactions you send 每发送1KB交易所需的费用 - + When creating transactions, ignore inputs with value less than this (default: 0.01) 当生成交易时,忽略价值小于此的输入 (默认:0.01) - + Use the test network 使用测试网络 - + Output extra debugging information. Implies all other -debug* options 输出调试信息。蕴含任何其他-debug*选项 @@ -3995,32 +4026,32 @@ rpcpassword=<password> 输出调试信息时,前面加上时间戳 - + Send trace/debug info to debugger 跟踪/调试信息发送到调试器 - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) 使用 <port>端口监听 JSON-RPC 连接 (默认: 15715 ; testnet: 25715) - + Allow JSON-RPC connections from specified IP address 允许来自指定IP地址的 JSON-RPC 连接 - + Send commands to node running on <ip> (default: 127.0.0.1) 向IP地址为 <ip> 的节点发送指令 (缺省: 127.0.0.1) - + Require a confirmations for change (default: 0) 改变时要求一个确认 (默认:0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) 强制要求转账脚本使用PUSH运算(默认:1) @@ -4030,28 +4061,189 @@ rpcpassword=<password> 当收到相关警报时执行指令 (命令行中的 %s 会被替换成消息) - + Upgrade wallet to latest format 升级钱包到最新版 - + Set key pool size to <n> (default: 100) 设置密钥池大小为 <n> (缺省: 100) - + Rescan the block chain for missing wallet transactions 重新扫描数据链以查找遗漏的交易 - + Attempt to recover private keys from a corrupt wallet.dat 尝试从一个损坏的wallet.dat文件中恢复私钥 - + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project + + + + + Address + 地址 + + + + Alert: + + + + + Answer + + + + + Answers + 答案 + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index + + + + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + How many blocks to check at startup (default: 2500, 0 = all) 启动时需检查的区块数量 (缺省: 2500, 设置0为检查所有区块) @@ -4066,7 +4258,127 @@ rpcpassword=<password> 从外来文件 blk000?.dat 导入区块数据 - + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + 消息 + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + 问题 + + + + Research Age + + + + Set minimum block size in bytes (default: 0) 以比特为单位设置最小区块大小(默认:0) @@ -4076,22 +4388,22 @@ rpcpassword=<password> - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) 以比特为单位设置高优先级/低费用的转账的最大大小 (默认: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) SSL选项:(见Bitcoin Wiki中SSL安装的讲解) - + Use OpenSSL (https) for JSON-RPC connections 为 JSON-RPC 连接使用 OpenSSL (https)连接 - + Server certificate file (default: server.cert) 服务器证书 (默认为 server.cert) @@ -4107,42 +4419,42 @@ rpcpassword=<password> 可接受的加密器 (默认为 TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!AH:!3DES:@STRENGTH) - + Invalid amount for -paytxfee=<amount>: '%s' 非法金额 -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. 警告:-paytxfee 被设置得非常高!若您发送一个转账,这是您将支付的转账费。 - + Invalid amount for -mininput=<amount>: '%s' 无效金额 -paytxfee=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. 初始化完整性检查失败。格雷德币正在停止运行。 - + Wallet %s resides outside data directory %s. 钱包%s位于数据目录%s之外。 - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. 无法给数据目录 %s 加锁。格雷德币进程可能已在运行。 - + Verifying database integrity... 检查数据库完整性... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. 初始化数据库环境 %s 时出错!为恢复,备份该目录,然后删除除wallet.dat之外的全部文件 @@ -4152,22 +4464,27 @@ rpcpassword=<password> 警告:wallet.dat损坏,数据已抢救! 原始的wallet.dat文件已在%s中保存为wallet.{timestamp}.bak.若您的余额或转账记录有误,您应该从备份中恢复。 - + + Weight + + + + wallet.dat corrupt, salvage failed wallet.dat损坏,抢救失败 - + Unknown -socks proxy version requested: %i 被指定的是未知socks代理版本: %i - + Invalid -tor address: '%s' 无效的 -tor 地址: '%s' - + Cannot resolve -bind address: '%s' 无法解析 -bind 端口地址: '%s' @@ -4177,53 +4494,62 @@ rpcpassword=<password> 无法解析 -externalip 地址: '%s' - + Invalid amount for -reservebalance=<amount> 对-reservebalance=<amount> 无效的金额 - Unable to sign checkpoint, wrong checkpointkey? - 无法签名检查点,检查点密钥错误? + 无法签名检查点,检查点密钥错误? - + Error loading blkindex.dat blkindex.dat文件加载错误 - + Loading wallet... 正在加载钱包... - + Error loading wallet.dat: Wallet corrupted wallet.dat钱包文件加载错误:钱包损坏 - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. 警告: 读取wallet.dat时出现错误!所有密钥均已正确解读,但转账数据或地址簿条目可能缺失或不正确。 - + Error loading wallet.dat: Wallet requires newer version of Gridcoin wallet.dat钱包文件加载错误:请升级到最新格雷德币客户端 - + + Vote + 投票 + + + + Wallet locked; + + + + Wallet needed to be rewritten: restart Gridcoin to complete 钱包文件需要重写:请退出并重新启动格雷德币客户端 - + Error loading wallet.dat wallet.dat钱包文件加载错误 - + Cannot downgrade wallet 无法降级钱包 @@ -4233,12 +4559,12 @@ rpcpassword=<password> 无法写入缺省地址 - + Rescanning... 正在重新扫描... - + Importing blockchain data file. 导入区块链数据文件。 @@ -4248,45 +4574,39 @@ rpcpassword=<password> 导入引导程序区块链数据文件。 - + Error: could not start node 错误: 无法启动节点 - + Done loading 加载完成 - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. 警告:请确定您当前计算机的日期和时间是正确的!格雷德币将无法在错误的时间下正常工作。 - Warning: This version is obsolete, upgrade required! - 警告:此版本已被废弃,要求升级! + 警告:此版本已被废弃,要求升级! - - WARNING: synchronized checkpoint violation detected, but skipped! - 警告:发现已同步的检查点有冲突,但已跳过! + 警告:发现已同步的检查点有冲突,但已跳过! - - + Warning: Disk space is low! 警告:磁盘剩余空间低! - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - 警告:发现无效检查点!显示的转账可能不正确!您可能需要升级或告知开发者。 + 警告:发现无效检查点!显示的转账可能不正确!您可能需要升级或告知开发者。 - + Error 错误 diff --git a/src/qt/locale/bitcoin_zh_TW.ts b/src/qt/locale/bitcoin_zh_TW.ts index 2cff6a89a8..ba57847b7b 100644 --- a/src/qt/locale/bitcoin_zh_TW.ts +++ b/src/qt/locale/bitcoin_zh_TW.ts @@ -18,9 +18,9 @@ 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. +Distributed under the MIT/X11 software license, see the accompanying file COPYING or https://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. +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 (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. @@ -299,7 +299,7 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + Sign &message... 簽署訊息... @@ -415,7 +415,7 @@ This product includes software developed by the OpenSSL Project for use in the O - + Date: %1 Amount: %2 Type: %3 @@ -423,7 +423,7 @@ Address: %4 - + Staking.<br>Your weight is %1<br>Network weight is %2<br><b>Estimated</b> time to earn reward is %3. @@ -437,7 +437,7 @@ Address: %4 備份錢包... - + &Change Passphrase... 改變密碼... @@ -542,12 +542,12 @@ Address: %4 - + New User Wizard - + &Voting @@ -587,7 +587,7 @@ Address: %4 - + [testnet] [testnet] @@ -728,7 +728,7 @@ Address: %4 - + %n second(s) %n 秒鐘 @@ -756,7 +756,7 @@ Address: %4 - + &File 檔案 @@ -776,7 +776,7 @@ Address: %4 - + &Help 說明 @@ -3320,17 +3320,17 @@ This label turns red, if the priority is smaller than "medium". bitcoin-core - + Options: 選項: - + This help message - + Specify pid file (default: gridcoind.pid) @@ -3340,7 +3340,7 @@ This label turns red, if the priority is smaller than "medium". 指定資料目錄 - + Set database cache size in megabytes (default: 25) @@ -3350,7 +3350,7 @@ This label turns red, if the priority is smaller than "medium". - + Specify configuration file (default: gridcoinresearch.conf) @@ -3360,32 +3360,32 @@ This label turns red, if the priority is smaller than "medium". - + Connect through socks proxy - + Select the version of socks proxy to use (4-5, default: 5) - + Use proxy to reach tor hidden services (default: same as -proxy) - + Listen for connections on <port> (default: 32749 or testnet: 32748) - + Maintain at most <n> connections to peers (default: 125) - + Connect only to the specified node(s) @@ -3395,62 +3395,238 @@ This label turns red, if the priority is smaller than "medium". 連線到某個節點來取得其它節點的位址,然後斷線 - + Specify your own public address 指定自己的公開位址 - + Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - + Discover own IP address (default: 1 when listening and no -externalip) - - Find peers using internet relay chat (default: 0) - - - - + Accept connections from outside (default: 1 if no -proxy or -connect) - + Bind to given address. Use [host]:port notation for IPv6 - + Find peers using DNS lookup (default: 1) - + Sync time with other nodes. Disable if time on your system is precise e.g. syncing with NTP (default: 1) - - Sync checkpoints policy (default: strict) + + Threshold for disconnecting misbehaving peers (default: 100) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + + + + + None + + + + + days + + + + + A beacon was advertised less then 5 blocks ago. Please wait a full 5 blocks for your beacon to enter the chain. + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Unable to obtain superblock data before vote was made to calculate voting weight + + + + + Add Beacon Contract + + + + + Add Foundation Poll + + + + + Add Poll + + + + + Add Project - Threshold for disconnecting misbehaving peers (default: 100) + Address + 位址 + + + + Alert: - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) + + Answer + + + + + Answers + + + + + Average Magnitude + + + + + Balance + + + + + Block Version + + + + + Block not in index - + + Block read failed + + + + + Boinc Public Key + + + + + Boinc Reward + + + + + CPID + + + + + Client Version + + + + + Contract length for beacon is less then 256 in length. Size: + + + + + Current Neural Hash + + + + + Data + + + + + Delete Beacon Contract + + + + + Delete Project + + + + + Difficulty + + + + + Duration + + + + + ERROR + + + + + Expires + + + + + Height + + + + + Interest + + + + + Invalid argument exception while parsing Transaction Message -> + + + + + Is Superblock + + + + + Low difficulty!; + + + + + Magnitude + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) @@ -3460,17 +3636,157 @@ This label turns red, if the priority is smaller than "medium". - + + Message Data + + + + + Message Length + + + + + Message Type + + + + + Message + 訊息 + + + + Messate Type + + + + + Miner: + + + + + Name + + + + + Net averages not yet loaded; + + + + + Network Date + + + + + Neural Contract Binary Size + + + + + Neural Hash + + + + + No Attached Messages + + + + + No coins; + + + + + Offline; + + + + + Organization + + + + + Out of rance exception while parsing Transaction Message -> + + + + + Public Key + + + + + Question + + + + + Research Age + + + + + Set the number of threads to service RPC calls (default: 4) + + + + + Share Type Debug + + + + + Share Type + + + + Staking Interest - + + Text Message + + + + + Text Rain Message + + + + + Title + + + + + URL + + + + Unable To Send Beacon! Unlock Wallet! - + + Unable to extract Share Type. Vote likely > 6 months old + + + + + Unknown + + + + Use UPnP to map the listening port (default: 1 when listening) @@ -3480,12 +3796,12 @@ This label turns red, if the priority is smaller than "medium". - + Fee per KB to add to transactions you send - + When creating transactions, ignore inputs with value less than this (default: 0.01) @@ -3496,12 +3812,12 @@ This label turns red, if the priority is smaller than "medium". - + Use the test network - + Output extra debugging information. Implies all other -debug* options @@ -3516,32 +3832,32 @@ This label turns red, if the priority is smaller than "medium". - + Send trace/debug info to debugger - + Listen for JSON-RPC connections on <port> (default: 15715 or testnet: 25715) - + Allow JSON-RPC connections from specified IP address - + Send commands to node running on <ip> (default: 127.0.0.1) - + Require a confirmations for change (default: 0) - + Enforce transaction scripts to use canonical PUSH operators (default: 1) @@ -3551,68 +3867,52 @@ This label turns red, if the priority is smaller than "medium". - + Upgrade wallet to latest format - + Set key pool size to <n> (default: 100) - + Rescan the block chain for missing wallet transactions - + Attempt to recover private keys from a corrupt wallet.dat - - Bitcoin Core - - - - - The %s developers - - - - + Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - - Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup - - - - - + All BOINC projects exhausted. - + Balance too low to create a smart contract. - + Boinc Mining - + Compute Neural Network Hashes... - + Error obtaining next project. Error 06172014. @@ -3621,11 +3921,6 @@ This label turns red, if the priority is smaller than "medium". Error obtaining next project. Error 16172014. - - - Error obtaining status (08-18-2014). - - Error obtaining status. @@ -3637,7 +3932,7 @@ This label turns red, if the priority is smaller than "medium". - + How many blocks to check at startup (default: 2500, 0 = all) @@ -3652,7 +3947,7 @@ This label turns red, if the priority is smaller than "medium". - + Loading Network Averages... @@ -3662,22 +3957,22 @@ This label turns red, if the priority is smaller than "medium". - + Maximum number of outbound connections (default: 8) - + Mining - + Please wait for new user wizard to start... - + Set minimum block size in bytes (default: 0) @@ -3687,22 +3982,22 @@ This label turns red, if the priority is smaller than "medium". - + Set maximum size of high-priority/low-fee transactions in bytes (default: 27000) - + SSL options: (see the Bitcoin Wiki for SSL setup instructions) - + Use OpenSSL (https) for JSON-RPC connections - + Server certificate file (default: server.cert) @@ -3712,42 +4007,42 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -paytxfee=<amount>: '%s' - + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - + Invalid amount for -mininput=<amount>: '%s' - + Initialization sanity check failed. Gridcoin is shutting down. - + Wallet %s resides outside data directory %s. - + Cannot obtain a lock on data directory %s. Gridcoin is probably already running. - + Verifying database integrity... - + Error initializing database environment %s! To recover, BACKUP THAT DIRECTORY, then remove everything from it except for wallet.dat. @@ -3757,22 +4052,37 @@ This label turns red, if the priority is smaller than "medium". - + + Vote + + + + + Wallet locked; + + + + + Weight + + + + wallet.dat corrupt, salvage failed - + Unknown -socks proxy version requested: %i - + Invalid -tor address: '%s' - + Cannot resolve -bind address: '%s' @@ -3782,18 +4092,12 @@ This label turns red, if the priority is smaller than "medium". - + Invalid amount for -reservebalance=<amount> - - Unable to sign checkpoint, wrong checkpointkey? - - - - - + Error loading blkindex.dat @@ -3803,22 +4107,22 @@ This label turns red, if the priority is smaller than "medium". - + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - + Error loading wallet.dat: Wallet requires newer version of Gridcoin - + Wallet needed to be rewritten: restart Gridcoin to complete - + Error loading wallet.dat @@ -3833,22 +4137,22 @@ This label turns red, if the priority is smaller than "medium". - + Error: could not start node - + Unable to bind to %s on this computer. Gridcoin is probably already running. - + Unable to bind to %s on this computer (bind returned error %d, %s) - + Error: Wallet locked, unable to create transaction @@ -3858,120 +4162,102 @@ This label turns red, if the priority is smaller than "medium". - + Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds - + Error: Transaction creation failed - + Sending... - + 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. - + Invalid amount - + Warning: Please check that your computer's date and time are correct! If your clock is wrong Gridcoin will not work properly. - - Warning: This version is obsolete, upgrade required! - - - - - - WARNING: synchronized checkpoint violation detected, but skipped! - - - - - + Warning: Disk space is low! - - - WARNING: Invalid checkpoint found! Displayed transactions may not be correct! You may need to upgrade, or notify developers. - - - - + Run in the background as a daemon and accept commands 用護靈模式在背景執行並接受指令 - + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) 當錢包有交易改變時要執行的指令(指令中的 %s 會被取代成交易識別碼) - + Block creation options: 區塊製造選項: - + Failed to listen on any port. Use -listen=0 if you want this. 在任意的通訊埠聽候失敗。如果你希望這樣的話,可以設定 -listen=0. - + Specify wallet file (within data directory) 指定錢包檔(會在資料目錄中) - + Send trace/debug info to console instead of debug.log file 在終端機顯示追蹤或除錯資訊,而不是寫到檔案 debug.log 中 - + Shrink debug.log file on client startup (default: 1 when no -debug) 客戶端軟體啓動時把 debug.log 檔縮小(預設值: 當沒有 -debug 時為 1) - + Username for JSON-RPC connections JSON-RPC 連線使用者名稱 - + Password for JSON-RPC connections JSON-RPC 連線密碼 - + Execute command when the best block changes (%s in cmd is replaced by block hash) 當最新區塊改變時要執行的指令(指令中的 %s 會被取代成區塊雜湊值) - + Allow DNS lookups for -addnode, -seednode and -connect 允許對 -addnode, -seednode, -connect 的參數使用域名查詢 - + To use the %s option - + %s, you must set a rpcpassword in the configuration file: %s It is recommended you use the following random password: @@ -3986,7 +4272,7 @@ for example: alertnotify=echo %%s | mail -s "Gridcoin Alert" admin@foo - + An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s @@ -4003,27 +4289,27 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Gridcoin version - + Usage: 用法: - + Send command to -server or gridcoind - + List commands - + Get help for a command @@ -4033,42 +4319,42 @@ If the file does not exist, create it with owner-readable-only file permissions. - + Loading addresses... 正在載入位址資料... - + Invalid -proxy address: '%s' 無效的 -proxy 位址: '%s' - + Unknown network specified in -onlynet: '%s' 在 -onlynet 指定了不明的網路別: '%s' - + Insufficient funds 累積金額不足 - + Loading block index... 正在載入區塊索引... - + Add a node to connect to and attempt to keep the connection open 增加一個要連線的節線,並試著保持對它的連線暢通 - + Loading wallet... 正在載入錢包資料... - + Cannot downgrade wallet 沒辦法把錢包格式降級 @@ -4078,17 +4364,17 @@ If the file does not exist, create it with owner-readable-only file permissions. 沒辦法把預設位址寫進去 - + Rescanning... 正在重新掃描... - + Done loading 載入完成 - + Error 錯誤 From 590002101abcfe215b0e881576f39ea676ab97af Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 16 Aug 2018 14:26:36 -0700 Subject: [PATCH 42/50] incorrect condition check --- src/rpcwallet.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/rpcwallet.cpp b/src/rpcwallet.cpp index c5c71a1aee..3b65f4cfdc 100644 --- a/src/rpcwallet.cpp +++ b/src/rpcwallet.cpp @@ -393,7 +393,7 @@ UniValue sendtoaddress(const UniValue& params, bool fHelp) CWalletTx wtx; if (params.size() > 2 && !params[2].isNull() && !params[2].get_str().empty()) wtx.mapValue["comment"] = params[2].get_str(); - if (params.size() > 3 && params[3].isNull() && !params[3].get_str().empty()) + if (params.size() > 3 && !params[3].isNull() && !params[3].get_str().empty()) wtx.mapValue["to"] = params[3].get_str(); if (pwalletMain->IsLocked()) From c171f169b6868714878a8da7f156a1fbb9f41e55 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Fri, 17 Aug 2018 13:59:24 -0700 Subject: [PATCH 43/50] Remove unused DPOR_Paid variable. last usage was in the 3.5.5 client range --- src/main.cpp | 9 ++++----- 1 file changed, 4 insertions(+), 5 deletions(-) diff --git a/src/main.cpp b/src/main.cpp index 7b23835957..8a891e9c08 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -3100,7 +3100,6 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo int64_t nValueOut = 0; int64_t nStakeReward = 0; unsigned int nSigOps = 0; - double DPOR_Paid = 0; bool bIsDPOR = false; @@ -3221,8 +3220,8 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo MiningCPID bb = DeserializeBoincBlock(vtx[0].hashBoinc,nVersion); uint64_t nCoinAge = 0; - double dStakeReward = CoinToDouble(nStakeReward+nFees) - DPOR_Paid; //DPOR Recipients checked above already - double dStakeRewardWithoutFees = CoinToDouble(nStakeReward) - DPOR_Paid; + double dStakeReward = CoinToDouble(nStakeReward+nFees); + double dStakeRewardWithoutFees = CoinToDouble(nStakeReward); if (fDebug) LogPrintf("Stake Reward of %f B %f I %f F %.f %s %s ", dStakeReward,bb.ResearchSubsidy,bb.InterestSubsidy,(double)nFees,bb.cpid, bb.Organization); @@ -3330,9 +3329,9 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo if ((bb.ResearchSubsidy + bb.InterestSubsidy + dDrift) < dStakeRewardWithoutFees) { - return DoS(20, error("ConnectBlock[] : Researchers Interest %f + Research %f + TimeDrift %f and total Mint %f, [StakeReward] <> %f, with Out_Interest %f, OUT_POR %f, Fees %f, DPOR %f for CPID %s does not match calculated research subsidy", + return DoS(20, error("ConnectBlock[] : Researchers Interest %f + Research %f + TimeDrift %f and total Mint %f, [StakeReward] <> %f, with Out_Interest %f, OUT_POR %f, Fees %f, for CPID %s does not match calculated research subsidy", (double)bb.InterestSubsidy,(double)bb.ResearchSubsidy,dDrift,CoinToDouble(mint),dStakeRewardWithoutFees, - (double)OUT_INTEREST,(double)OUT_POR,CoinToDouble(nFees),(double)DPOR_Paid,bb.cpid.c_str())); + (double)OUT_INTEREST,(double)OUT_POR,CoinToDouble(nFees),bb.cpid.c_str())); } From 7672d773851f14092a3b209f26f2eaff5ce4c423 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Fri, 17 Aug 2018 21:24:00 -0700 Subject: [PATCH 44/50] remove DPOR_Paid from logging message --- src/main.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/main.cpp b/src/main.cpp index 8a891e9c08..222888e493 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -3330,8 +3330,8 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo if ((bb.ResearchSubsidy + bb.InterestSubsidy + dDrift) < dStakeRewardWithoutFees) { return DoS(20, error("ConnectBlock[] : Researchers Interest %f + Research %f + TimeDrift %f and total Mint %f, [StakeReward] <> %f, with Out_Interest %f, OUT_POR %f, Fees %f, for CPID %s does not match calculated research subsidy", - (double)bb.InterestSubsidy,(double)bb.ResearchSubsidy,dDrift,CoinToDouble(mint),dStakeRewardWithoutFees, - (double)OUT_INTEREST,(double)OUT_POR,CoinToDouble(nFees),bb.cpid.c_str())); + bb.InterestSubsidy,bb.ResearchSubsidy,dDrift,CoinToDouble(mint),dStakeRewardWithoutFees, + OUT_INTEREST,OUT_POR,CoinToDouble(nFees),bb.cpid.c_str())); } From 4b49f7a8fdbca4320726a3c528edbfdce2cfb160 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Sat, 18 Aug 2018 13:03:38 -0700 Subject: [PATCH 45/50] add conditions for magnitude rpc --- src/rpcblockchain.cpp | 13 +++++++++---- 1 file changed, 9 insertions(+), 4 deletions(-) diff --git a/src/rpcblockchain.cpp b/src/rpcblockchain.cpp index f774696b92..e77393e268 100755 --- a/src/rpcblockchain.cpp +++ b/src/rpcblockchain.cpp @@ -1227,10 +1227,15 @@ UniValue magnitude(const UniValue& params, bool fHelp) UniValue results(UniValue::VARR); - std::string cpid; + const std::string cpid = (params.size() > 0 && + !params[0].isNull() && + !params[0].get_str().empty() + ) + ? params[0].get_str() + : msPrimaryCPID; - if (params.size() > 0) - cpid = params[0].get_str(); + if(cpid.empty()) + throw runtime_error("CPID appears to be empty; unable to request magnitude report"); { LOCK(cs_main); @@ -2459,7 +2464,7 @@ UniValue MagnitudeReport(std::string cpid) entry.pushKV("Earliest Payment Time",TimestampToHRDate(stCPID.LowLockTime)); entry.pushKV("Magnitude (Last Superblock)", structMag.Magnitude); entry.pushKV("Research Payments (14 days)",structMag.payments); - entry.pushKV("Owed",structMag.owed); + entry.pushKV("Owed",(structMag.owed <= 0) ? 0 : structMag.owed); entry.pushKV("Daily Paid",structMag.payments/14); // Research Age - Calculate Expected 14 Day Owed, and Daily Owed: double dExpected14 = magnitude_unit * structMag.Magnitude * 14; From 19d6b0f68c9ce416c862329dd56c01fbdb2b562b Mon Sep 17 00:00:00 2001 From: quezacoatl1 Date: Wed, 8 Aug 2018 20:04:58 +0200 Subject: [PATCH 46/50] testnet sync fix - bad blocks on exception list removed duplicate error message compacted if statement and renamed exception list --- src/main.cpp | 23 +++++++++++++++++------ 1 file changed, 17 insertions(+), 6 deletions(-) diff --git a/src/main.cpp b/src/main.cpp index 3cb055cf70..45ea1744a4 100755 --- a/src/main.cpp +++ b/src/main.cpp @@ -3389,6 +3389,17 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo if (fTestNet || (pindex->nHeight > 975000)) return DoS(20, error(" %s ",sNarr.c_str())); } + /* ignore bad blocks already in chain on testnet */ + const std::set badSignBlocksTestnet = + { uint256("129ae6779d620ec189f8e5148e205efca2dfe31d9f88004b918da3342157b7ff") //T407024 + ,uint256("c3f85818ba5290aaea1bcbd25b4e136f83acc93999942942bbb25aee2c655f7a") //T407068 + ,uint256("cf7f1316f92547f611852cf738fc7a4a643a2bb5b9290a33cd2f9425f44cc3f9") //T407099 + ,uint256("b47085beb075672c6f20d059633d0cad4dba9c5c20f1853d35455b75dc5d54a9") //T407117 + ,uint256("5a7d437d15bccc41ee8e39143e77960781f3dcf08697a888fa8c4af8a4965682") //T407161 + ,uint256("aeb3c24277ae1047bda548975a515e9d353d6e12a2952fb733da03f92438fb0f") //T407181 + ,uint256("fc584b18239f3e3ea78afbbd33af7c6a29bb518b8299f01c1ed4b52d19413d4f") //T407214 + ,uint256("d5441f7c35eb9ea1b786bbbed820b7f327504301ae70ef2ac3ca3cbc7106236b") //T479114 + }; if (dStakeReward > ((OUT_POR*1.25)+OUT_INTEREST+1+CoinToDouble(nFees))) { StructCPID st1 = GetLifetimeCPID(pindex->GetCPID(),"ConnectBlock()"); @@ -3396,12 +3407,12 @@ bool CBlock::ConnectBlock(CTxDB& txdb, CBlockIndex* pindex, bool fJustCheck, boo pindex, "connectblock_researcher_doublecheck", OUT_POR, OUT_INTEREST, dAccrualAge, dMagnitudeUnit, dAvgMagnitude); if (dStakeReward > ((OUT_POR*1.25)+OUT_INTEREST+1+CoinToDouble(nFees))) { - - if (fDebug3) LogPrintf("ConnectBlockError[ResearchAge] : Researchers Reward Pays too much : Interest %f and Research %f and StakeReward %f, OUT_POR %f, with Out_Interest %f for CPID %s ", - (double)bb.InterestSubsidy,(double)bb.ResearchSubsidy,dStakeReward,(double)OUT_POR,(double)OUT_INTEREST,bb.cpid); - - return DoS(10,error("ConnectBlock[ResearchAge] : Researchers Reward Pays too much : Interest %f and Research %f and StakeReward %f, OUT_POR %f, with Out_Interest %f for CPID %s ", - (double)bb.InterestSubsidy,(double)bb.ResearchSubsidy,dStakeReward,(double)OUT_POR,(double)OUT_INTEREST,bb.cpid.c_str())); + if(!fTestNet || badSignBlocksTestnet.count(pindex->GetBlockHash()) ==0) + { + return DoS(10,error("ConnectBlock[ResearchAge] : Researchers Reward Pays too much : Interest %f and Research %f and StakeReward %f, OUT_POR %f, with Out_Interest %f for CPID %s ", + (double)bb.InterestSubsidy,(double)bb.ResearchSubsidy,dStakeReward,(double)OUT_POR,(double)OUT_INTEREST,bb.cpid.c_str())); + } + else LogPrintf("WARNING: ignoring Researchers Reward Pays too Much on block %s", pindex->GetBlockHash().ToString()); } } } From a2d02544697a671ab44f1bf07ed91786b37bf3e6 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Thu, 16 Aug 2018 14:26:36 -0700 Subject: [PATCH 47/50] incorrect condition check --- src/rpcwallet.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/rpcwallet.cpp b/src/rpcwallet.cpp index c5c0b95370..8fc46f3dc4 100644 --- a/src/rpcwallet.cpp +++ b/src/rpcwallet.cpp @@ -393,7 +393,7 @@ UniValue sendtoaddress(const UniValue& params, bool fHelp) CWalletTx wtx; if (params.size() > 2 && !params[2].isNull() && !params[2].get_str().empty()) wtx.mapValue["comment"] = params[2].get_str(); - if (params.size() > 3 && params[3].isNull() && !params[3].get_str().empty()) + if (params.size() > 3 && !params[3].isNull() && !params[3].get_str().empty()) wtx.mapValue["to"] = params[3].get_str(); if (pwalletMain->IsLocked()) From b0ada3f7630ef531632cc23d4fcc768b98448048 Mon Sep 17 00:00:00 2001 From: jamescowens Date: Mon, 20 Aug 2018 13:17:23 -0400 Subject: [PATCH 48/50] Accept either a bool (true) or a num (>=1) To indicate verbose output. Adapted from Bitcoin 20180820. --- src/rpcrawtransaction.cpp | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) mode change 100644 => 100755 src/rpcrawtransaction.cpp diff --git a/src/rpcrawtransaction.cpp b/src/rpcrawtransaction.cpp old mode 100644 new mode 100755 index 556a0cc1a4..7abdf0c8fa --- a/src/rpcrawtransaction.cpp +++ b/src/rpcrawtransaction.cpp @@ -487,10 +487,13 @@ UniValue getrawtransaction(const UniValue& params, bool fHelp) uint256 hash; hash.SetHex(params[0].get_str()); + // Accept either a bool (true) or a num (>=1) to indicate verbose output. Adapted from Bitcoin 20180820. bool fVerbose = false; - if (params.size() > 1) - fVerbose = (params[1].get_bool()); - + if (!params[1].isNull()) + { + fVerbose = params[1].isNum() ? (params[1].get_int() != 0) : params[1].get_bool(); + } + LOCK(cs_main); CTransaction tx; From f8436176be5e33ea28ee26d2a1f4e9dd6daa35b0 Mon Sep 17 00:00:00 2001 From: Paul Jensen Date: Mon, 20 Aug 2018 21:10:58 -0700 Subject: [PATCH 49/50] Modify ValueFromAmount mirroring what bitcoin did to solve the 16 digit issue. --- src/rpcserver.cpp | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index fac8ce865d..f344b528db 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -110,7 +110,11 @@ int64_t AmountFromValue(const UniValue& value) UniValue ValueFromAmount(int64_t amount) { - return (double)amount / (double)COIN; + bool sign = amount < 0; + int64_t n_abs = (sign ? -amount : amount); + int64_t quotient = n_abs / COIN; + int64_t remainder = n_abs % COIN; + return UniValue(UniValue::VNUM, strprintf("%s%d.%08d", sign ? "-" : "", quotient, remainder)); } From 07ff7a911c364b7ae9704f6766bcaf0cee65b27c Mon Sep 17 00:00:00 2001 From: Marco Nilsson Date: Tue, 21 Aug 2018 07:16:35 +0200 Subject: [PATCH 50/50] Merge pull request #1272 from Foggyx420/ValueFromAmountPatch Modify ValueFromAmount mirroring what bitcoin does --- src/rpcserver.cpp | 6 +++++- 1 file changed, 5 insertions(+), 1 deletion(-) diff --git a/src/rpcserver.cpp b/src/rpcserver.cpp index df63506439..167dedfbb0 100644 --- a/src/rpcserver.cpp +++ b/src/rpcserver.cpp @@ -110,7 +110,11 @@ int64_t AmountFromValue(const UniValue& value) UniValue ValueFromAmount(int64_t amount) { - return (double)amount / (double)COIN; + bool sign = amount < 0; + int64_t n_abs = (sign ? -amount : amount); + int64_t quotient = n_abs / COIN; + int64_t remainder = n_abs % COIN; + return UniValue(UniValue::VNUM, strprintf("%s%d.%08d", sign ? "-" : "", quotient, remainder)); }