(&dest);
- if (!keyID) {
+ CKeyID keyID;
+ if (!addr.GetKeyID(keyID)) {
ui->addressIn_ENC->setValid(false);
ui->statusLabel_ENC->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_ENC->setText(tr("The entered address does not refer to a key.") + QString(" ") + tr("Please check the address and try again."));
@@ -143,13 +142,13 @@ void Bip38ToolDialog::on_encryptKeyButton_ENC_clicked()
}
CKey key;
- if (!pwalletMain->GetKey(*keyID, key)) {
+ if (!pwalletMain->GetKey(keyID, key)) {
ui->statusLabel_ENC->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_ENC->setText(tr("Private key for the entered address is not available."));
return;
}
- std::string encryptedKey = BIP38_Encrypt(EncodeDestination(dest), qstrPassphrase.toStdString(), key.GetPrivKey_256(), key.IsCompressed());
+ std::string encryptedKey = BIP38_Encrypt(addr.ToString(), qstrPassphrase.toStdString(), key.GetPrivKey_256(), key.IsCompressed());
ui->encryptedKeyOut_ENC->setText(QString::fromStdString(encryptedKey));
}
@@ -190,9 +189,10 @@ void Bip38ToolDialog::on_decryptKeyButton_DEC_clicked()
key.Set(privKey.begin(), privKey.end(), fCompressed);
CPubKey pubKey = key.GetPubKey();
-
+ CBitcoinAddress address(pubKey.GetID());
+
ui->decryptedKeyOut_DEC->setText(QString::fromStdString(CBitcoinSecret(key).ToString()));
- ui->addressOut_DEC->setText(QString::fromStdString(EncodeDestination(pubKey.GetID())));
+ ui->addressOut_DEC->setText(QString::fromStdString(address.ToString()));
}
void Bip38ToolDialog::on_importAddressButton_DEC_clicked()
@@ -204,18 +204,17 @@ void Bip38ToolDialog::on_importAddressButton_DEC_clicked()
return;
}
+ CBitcoinAddress address(ui->addressOut_DEC->text().toStdString());
CPubKey pubkey = key.GetPubKey();
- if (!IsValidDestinationString(ui->addressOut_DEC->text().toStdString())) {
+ if (!address.IsValid() || !key.IsValid() || CBitcoinAddress(pubkey.GetID()).ToString() != address.ToString()) {
ui->statusLabel_DEC->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_DEC->setText(tr("Data Not Valid.") + QString(" ") + tr("Please try again."));
return;
}
- CTxDestination dest = DecodeDestination(ui->addressOut_DEC->text().toStdString());
-
- if (!key.IsValid() || EncodeDestination(pubkey.GetID()) != EncodeDestination(dest)) {
- CKeyID vchAddress = pubkey.GetID();
+ CKeyID vchAddress = pubkey.GetID();
+ {
ui->statusLabel_DEC->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_DEC->setText(tr("Please wait while key is imported"));
diff --git a/src/qt/bip38tooldialog.h b/src/qt/bip38tooldialog.h
index 131ac2a9bcd07..2b735a3e0d692 100644
--- a/src/qt/bip38tooldialog.h
+++ b/src/qt/bip38tooldialog.h
@@ -1,5 +1,4 @@
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/bitcoinaddressvalidator.cpp b/src/qt/bitcoinaddressvalidator.cpp
index fa68e2219a453..908d15b3c6f62 100644
--- a/src/qt/bitcoinaddressvalidator.cpp
+++ b/src/qt/bitcoinaddressvalidator.cpp
@@ -1,13 +1,12 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "bitcoinaddressvalidator.h"
-#include "dstencode.h"
+#include "base58.h"
/* Base58 characters are:
"123456789ABCDEFGHJKLMNPQRSTUVWXYZabcdefghijkmnopqrstuvwxyz"
@@ -84,9 +83,9 @@ QValidator::State BitcoinAddressCheckValidator::validate(QString& input, int& po
{
Q_UNUSED(pos);
// Validate the passed ION address
- if (IsValidDestinationString(input.toStdString())) {
+ CBitcoinAddress addr(input.toStdString());
+ if (addr.IsValid())
return QValidator::Acceptable;
- }
return QValidator::Invalid;
}
diff --git a/src/qt/bitcoinamountfield.cpp b/src/qt/bitcoinamountfield.cpp
index 16a994d59a004..8737fec59551f 100644
--- a/src/qt/bitcoinamountfield.cpp
+++ b/src/qt/bitcoinamountfield.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/bitcoingui.cpp b/src/qt/bitcoingui.cpp
index 412496cb4cff7..cd27ef8bb8390 100644
--- a/src/qt/bitcoingui.cpp
+++ b/src/qt/bitcoingui.cpp
@@ -1,8 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018 The PHORE developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -114,7 +112,7 @@ BitcoinGUI::BitcoinGUI(const NetworkStyle* networkStyle, QWidget* parent) : QMai
GUIUtil::restoreWindowGeometry("nWindow", QSize(850, 550), this);
- QString windowTitle = tr("Ion Core") + " - ";
+ QString windowTitle = tr("ION Core") + " - ";
#ifdef ENABLE_WALLET
/* if compiled with wallet support, -disablewallet can still disable the wallet */
enableWallet = !GetBoolArg("-disablewallet", false);
@@ -401,8 +399,8 @@ void BitcoinGUI::createActions(const NetworkStyle* networkStyle)
quitAction->setStatusTip(tr("Quit application"));
quitAction->setShortcut(QKeySequence(Qt::CTRL + Qt::Key_Q));
quitAction->setMenuRole(QAction::QuitRole);
- aboutAction = new QAction(networkStyle->getAppIcon(), tr("&About Ion Core"), this);
- aboutAction->setStatusTip(tr("Show information about Ion Core"));
+ aboutAction = new QAction(networkStyle->getAppIcon(), tr("&About ION Core"), this);
+ aboutAction->setStatusTip(tr("Show information about ION Core"));
aboutAction->setMenuRole(QAction::AboutRole);
aboutQtAction = new QAction(QIcon(":/qt-project.org/qmessagebox/images/qtlogo-64.png"), tr("About &Qt"), this);
aboutQtAction->setStatusTip(tr("Show information about Qt"));
@@ -469,7 +467,7 @@ void BitcoinGUI::createActions(const NetworkStyle* networkStyle)
showHelpMessageAction = new QAction(QApplication::style()->standardIcon(QStyle::SP_MessageBoxInformation), tr("&Command-line options"), this);
showHelpMessageAction->setMenuRole(QAction::NoRole);
- showHelpMessageAction->setStatusTip(tr("Show the Ion Core help message to get a list with possible ION command-line options"));
+ showHelpMessageAction->setStatusTip(tr("Show the ION Core help message to get a list with possible ION command-line options"));
connect(quitAction, SIGNAL(triggered()), qApp, SLOT(quit()));
connect(aboutAction, SIGNAL(triggered()), this, SLOT(aboutClicked()));
@@ -703,7 +701,7 @@ void BitcoinGUI::createTrayIcon(const NetworkStyle* networkStyle)
{
#ifndef Q_OS_MAC
trayIcon = new QSystemTrayIcon(this);
- QString toolTip = tr("Ion Core client") + " " + networkStyle->getTitleAddText();
+ QString toolTip = tr("ION Core client") + " " + networkStyle->getTitleAddText();
trayIcon->setToolTip(toolTip);
trayIcon->setIcon(networkStyle->getAppIcon());
trayIcon->hide();
@@ -1052,7 +1050,7 @@ void BitcoinGUI::setNumBlocks(int count)
void BitcoinGUI::message(const QString& title, const QString& message, unsigned int style, bool* ret)
{
- QString strTitle = tr("Ion Core"); // default title
+ QString strTitle = tr("ION Core"); // default title
// Default to information icon
int nMBoxIcon = QMessageBox::Information;
int nNotifyIcon = Notificator::Information;
diff --git a/src/qt/bitcoingui.h b/src/qt/bitcoingui.h
index 0861da16d546a..793ec04c3835f 100644
--- a/src/qt/bitcoingui.h
+++ b/src/qt/bitcoingui.h
@@ -1,7 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018 The PHORE developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -133,6 +131,7 @@ class BitcoinGUI : public QMainWindow
QAction* openBlockExplorerAction;
QAction* showHelpMessageAction;
QAction* multiSendAction;
+
QSystemTrayIcon* trayIcon;
QMenu* trayIconMenu;
Notificator* notificator;
diff --git a/src/qt/bitcoinunits.cpp b/src/qt/bitcoinunits.cpp
index e135f21d0f690..609c44da147f7 100644
--- a/src/qt/bitcoinunits.cpp
+++ b/src/qt/bitcoinunits.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/bitcoinunits.h b/src/qt/bitcoinunits.h
index 8e25e2d7828c7..21d47b051c588 100644
--- a/src/qt/bitcoinunits.h
+++ b/src/qt/bitcoinunits.h
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/blockexplorer.cpp b/src/qt/blockexplorer.cpp
index 99701a3647b95..14428f411d5fc 100644
--- a/src/qt/blockexplorer.cpp
+++ b/src/qt/blockexplorer.cpp
@@ -1,5 +1,4 @@
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -60,12 +59,13 @@ static std::string ScriptToString(const CScript& Script, bool Long = false, bool
if (Script.empty())
return "unknown";
- CTxDestination dest;
- if (ExtractDestination(Script, dest)) {
+ CTxDestination Dest;
+ CBitcoinAddress Address;
+ if (ExtractDestination(Script, Dest) && Address.Set(Dest)) {
if (Highlight)
- return "" + EncodeDestination(dest) + "";
+ return "" + Address.ToString() + "";
else
- return makeHRef(EncodeDestination(dest));
+ return makeHRef(Address.ToString());
} else
return Long ? "" + FormatScript(Script) + "
" : _("Non-standard script");
}
@@ -180,7 +180,7 @@ const CBlockIndex* getexplorerBlockIndex(int64_t height)
std::string getexplorerBlockHash(int64_t Height)
{
- std::string genesisblockhash = "0000041e482b9b9691d98eefb48473405c0b8ec31b76df3797c74a78680ef818";
+ std::string genesisblockhash = "0000004cf5ffbf2e31a9aa07c86298efb01a30b8911b80af7473d1114715084b";
CBlockIndex* pindexBest = mapBlockIndex[chainActive.Tip()->GetBlockHash()];
if ((Height < 0) || (Height > pindexBest->nHeight)) {
return genesisblockhash;
@@ -377,7 +377,7 @@ std::string TxToString(uint256 BlockHash, const CTransaction& tx)
return Content;
}
-std::string AddressToString(const CTxDestination& dest)
+std::string AddressToString(const CBitcoinAddress& Address)
{
std::string TxLabels[] =
{
@@ -425,7 +425,7 @@ std::string AddressToString(const CTxDestination& dest)
TxContent += "";
std::string Content;
- Content += "" + _("Transactions to/from") + " " + EncodeDestination(dest) + "
";
+ Content += "" + _("Transactions to/from") + " " + Address.ToString() + "
";
Content += TxContent;
return Content;
}
@@ -478,7 +478,7 @@ void BlockExplorer::showEvent(QShowEvent*)
if (!GetBoolArg("-txindex", true)) {
QString Warning = tr("Not all transactions will be shown. To view all transactions you need to set txindex=1 in the configuration file (ioncoin.conf).");
- QMessageBox::warning(this, "Ion Core Blockchain Explorer", Warning, QMessageBox::Ok);
+ QMessageBox::warning(this, "ION Core Blockchain Explorer", Warning, QMessageBox::Ok);
}
}
}
@@ -517,9 +517,10 @@ bool BlockExplorer::switchTo(const QString& query)
}
// If the query is not an integer, nor a block hash, nor a transaction hash, assume an address
- if (IsValidDestinationString(query.toUtf8().constData())) {
- CTxDestination dest = DecodeDestination(query.toUtf8().constData());
- std::string Content = EncodeDestination(dest);
+ CBitcoinAddress Address;
+ Address.SetString(query.toUtf8().constData());
+ if (Address.IsValid()) {
+ std::string Content = AddressToString(Address);
if (Content.empty())
return false;
setContent(Content);
diff --git a/src/qt/blockexplorer.h b/src/qt/blockexplorer.h
index 921bc209e0309..d1b377cc0fcce 100644
--- a/src/qt/blockexplorer.h
+++ b/src/qt/blockexplorer.h
@@ -1,5 +1,4 @@
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -8,7 +7,7 @@
#include
-#include "dstencode.h"
+#include "base58.h"
#include "uint256.h"
#undef loop
diff --git a/src/qt/clientmodel.cpp b/src/qt/clientmodel.cpp
index 88b2c5603f894..a7c0426d9caba 100644
--- a/src/qt/clientmodel.cpp
+++ b/src/qt/clientmodel.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/clientmodel.h b/src/qt/clientmodel.h
index 8bec51eb7ccce..0841f3a3001f4 100644
--- a/src/qt/clientmodel.h
+++ b/src/qt/clientmodel.h
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/coincontroldialog.cpp b/src/qt/coincontroldialog.cpp
index d4bb3a5e67daa..7a1a486010efd 100644
--- a/src/qt/coincontroldialog.cpp
+++ b/src/qt/coincontroldialog.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -18,7 +17,7 @@
#include "coincontrol.h"
#include "main.h"
#include "obfuscation.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include "multisigdialog.h"
#include // for 'map_list_of()'
@@ -37,7 +36,6 @@ using namespace std;
QList CoinControlDialog::payAmounts;
int CoinControlDialog::nSplitBlockDummy;
CCoinControl* CoinControlDialog::coinControl = new CCoinControl();
-bool CoinControlDialog::fSubtractFeeFromAmount = false;
bool CCoinControlWidgetItem::operator<(const QTreeWidgetItem &other) const {
@@ -605,11 +603,6 @@ void CoinControlDialog::updateLabels(WalletModel* model, QDialog* dialog)
dPriority = dPriorityInputs / (nBytes - nBytesInputs + (nQuantityUncompressed * 29)); // 29 = 180 - 151 (uncompressed public keys are over the limit. max 151 bytes of the input are ignored for priority)
sPriorityLabel = CoinControlDialog::getPriorityLabel(dPriority, mempoolEstimatePriority);
- // in the subtract fee from amount case, we can tell if zero change already and subtract the bytes, so that fee calculation afterwards is accurate
- if (CoinControlDialog::fSubtractFeeFromAmount)
- if (nAmount - nPayAmount == 0)
- nBytes -= 34;
-
// Fee
nPayFee = CWallet::GetMinimumFee(nBytes, nTxConfirmTarget, mempool);
@@ -626,25 +619,18 @@ void CoinControlDialog::updateLabels(WalletModel* model, QDialog* dialog)
nPayFee = 0;
if (nPayAmount > 0) {
- nChange = nAmount - nPayAmount;
- if (!CoinControlDialog::fSubtractFeeFromAmount)
- nChange -= nPayFee;
+ nChange = nAmount - nPayFee - nPayAmount;
// Never create dust outputs; if we would, just add the dust to the fee.
if (nChange > 0 && nChange < CENT) {
CTxOut txout(nChange, (CScript)vector(24, 0));
if (txout.IsDust(::minRelayTxFee)) {
- if (CoinControlDialog::fSubtractFeeFromAmount) // dust-change will be raised until no dust
- nChange = txout.GetDustThreshold(::minRelayTxFee);
- else
- {
- nPayFee += nChange;
- nChange = 0;
- }
+ nPayFee += nChange;
+ nChange = 0;
}
}
- if (nChange == 0 && !CoinControlDialog::fSubtractFeeFromAmount)
+ if (nChange == 0)
nBytes -= 34;
}
@@ -686,7 +672,7 @@ void CoinControlDialog::updateLabels(WalletModel* model, QDialog* dialog)
if (nPayFee > 0 && !(payTxFee.GetFeePerK() > 0 && fPayAtLeastCustomFee && nBytes < 1000)) {
l3->setText("~" + l3->text());
l4->setText("~" + l4->text());
- if (nChange > 0 && !CoinControlDialog::fSubtractFeeFromAmount)
+ if (nChange > 0)
l8->setText("~" + l8->text());
}
@@ -697,21 +683,21 @@ void CoinControlDialog::updateLabels(WalletModel* model, QDialog* dialog)
// tool tips
QString toolTip1 = tr("This label turns red, if the transaction size is greater than 1000 bytes.") + "
";
- toolTip1 += tr("This means a fee of at least %1 per kB is required.").arg(BitcoinUnits::formatWithUnit(nDisplayUnit, CWallet::GetRequiredFee(1000))) + "
";
+ toolTip1 += tr("This means a fee of at least %1 per kB is required.").arg(BitcoinUnits::formatWithUnit(nDisplayUnit, CWallet::minTxFee.GetFeePerK())) + "
";
toolTip1 += tr("Can vary +/- 1 byte per input.");
QString toolTip2 = tr("Transactions with higher priority are more likely to get included into a block.") + "
";
toolTip2 += tr("This label turns red, if the priority is smaller than \"medium\".") + "
";
- toolTip2 += tr("This means a fee of at least %1 per kB is required.").arg(BitcoinUnits::formatWithUnit(nDisplayUnit, CWallet::GetRequiredFee(1000)));
+ toolTip2 += tr("This means a fee of at least %1 per kB is required.").arg(BitcoinUnits::formatWithUnit(nDisplayUnit, CWallet::minTxFee.GetFeePerK()));
QString toolTip3 = tr("This label turns red, if any recipient receives an amount smaller than %1.").arg(BitcoinUnits::formatWithUnit(nDisplayUnit, ::minRelayTxFee.GetFee(546)));
// how many satoshis the estimated fee can vary per byte we guess wrong
double dFeeVary;
if (payTxFee.GetFeePerK() > 0)
- dFeeVary = (double)std::max(CWallet::GetRequiredFee(1000), payTxFee.GetFeePerK()) / 1000;
+ dFeeVary = (double)std::max(CWallet::minTxFee.GetFeePerK(), payTxFee.GetFeePerK()) / 1000;
else
- dFeeVary = (double)std::max(CWallet::GetRequiredFee(1000), mempool.estimateFee(nTxConfirmTarget).GetFeePerK()) / 1000;
+ dFeeVary = (double)std::max(CWallet::minTxFee.GetFeePerK(), mempool.estimateFee(nTxConfirmTarget).GetFeePerK()) / 1000;
QString toolTip4 = tr("Can vary +/- %1 uion per input.").arg(dFeeVary);
l3->setToolTip(toolTip4);
@@ -816,7 +802,7 @@ void CoinControlDialog::updateView()
CTxDestination outputAddress;
QString sAddress = "";
if (ExtractDestination(out.tx->vout[out.i].scriptPubKey, outputAddress)) {
- sAddress = QString::fromStdString(EncodeDestination(outputAddress));
+ sAddress = QString::fromStdString(CBitcoinAddress(outputAddress).ToString());
// if listMode or change => show ION address. In tree mode, address is not shown again for direct wallet address outputs
if (!treeMode || (!(sAddress == sWalletAddress)))
diff --git a/src/qt/coincontroldialog.h b/src/qt/coincontroldialog.h
index d8a8aafcb2dd2..73ee4ea9e8d7c 100644
--- a/src/qt/coincontroldialog.h
+++ b/src/qt/coincontroldialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -57,7 +56,6 @@ class CoinControlDialog : public QDialog
static QList payAmounts;
static CCoinControl* coinControl;
static int nSplitBlockDummy;
- static bool fSubtractFeeFromAmount;
private:
Ui::CoinControlDialog* ui;
diff --git a/src/qt/coincontroltreewidget.cpp b/src/qt/coincontroltreewidget.cpp
index f89dcaa767b8e..f09305862a861 100644
--- a/src/qt/coincontroltreewidget.cpp
+++ b/src/qt/coincontroltreewidget.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/csvmodelwriter.cpp b/src/qt/csvmodelwriter.cpp
index aa98e6d5f5910..f05bad1ade19f 100644
--- a/src/qt/csvmodelwriter.cpp
+++ b/src/qt/csvmodelwriter.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/csvmodelwriter.h b/src/qt/csvmodelwriter.h
index e8e00eff9ebf5..cb7b8fb7e228c 100644
--- a/src/qt/csvmodelwriter.h
+++ b/src/qt/csvmodelwriter.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/editaddressdialog.cpp b/src/qt/editaddressdialog.cpp
index 0e3f0fb2eac59..788fdb63bfa92 100644
--- a/src/qt/editaddressdialog.cpp
+++ b/src/qt/editaddressdialog.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/editaddressdialog.h b/src/qt/editaddressdialog.h
index 48bfc8ed3c3c4..0da1038d44610 100644
--- a/src/qt/editaddressdialog.h
+++ b/src/qt/editaddressdialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/forms/helpmessagedialog.ui b/src/qt/forms/helpmessagedialog.ui
index 6197aa7f41736..f022b539c5c8a 100644
--- a/src/qt/forms/helpmessagedialog.ui
+++ b/src/qt/forms/helpmessagedialog.ui
@@ -16,7 +16,7 @@
- Ion Core - Command-line options
+ ION Core - Command-line options
-
diff --git a/src/qt/forms/intro.ui b/src/qt/forms/intro.ui
index 88e292d80ae21..1e0504119d882 100644
--- a/src/qt/forms/intro.ui
+++ b/src/qt/forms/intro.ui
@@ -20,7 +20,7 @@
QLabel { font-style:italic; }
- Welcome to Ion Core.
+ Welcome to ION Core.
true
@@ -46,7 +46,7 @@
-
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
true
@@ -56,7 +56,7 @@
-
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
true
diff --git a/src/qt/forms/obfuscationconfig.ui b/src/qt/forms/obfuscationconfig.ui
index 0a362ae76a058..c76ce9f837887 100644
--- a/src/qt/forms/obfuscationconfig.ui
+++ b/src/qt/forms/obfuscationconfig.ui
@@ -75,7 +75,7 @@
- Use 2 separate masternodes to mix funds up to 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
@@ -88,7 +88,7 @@
- Use 8 separate masternodes to mix funds up to 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
@@ -114,7 +114,7 @@
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
@@ -127,7 +127,7 @@
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
@@ -153,7 +153,7 @@
- 0.1 ION per 10000 ION you anonymize.
+ 0.1 ION per 20000 ION you anonymize.
diff --git a/src/qt/forms/privacydialog.ui b/src/qt/forms/privacydialog.ui
index 70e7fb28ff1ea..5f2ec476d8c74 100644
--- a/src/qt/forms/privacydialog.ui
+++ b/src/qt/forms/privacydialog.ui
@@ -666,7 +666,7 @@
- 10
+ 8
@@ -859,57 +859,6 @@ xION are mature when they have more than 20 confirmations AND more than 2 mints
- -
-
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
-
-
- QFrame::Box
-
-
- Security Level:
-
-
- Qt::AlignRight|Qt::AlignTrailing|Qt::AlignVCenter
-
-
-
- -
-
-
-
-
-
-
- 0
- 0
-
-
-
- Security Level 1 - 100 (default: 42)
-
-
- QAbstractSpinBox::PlusMinus
-
-
- true
-
-
- QAbstractSpinBox::CorrectToNearestValue
-
-
- 1
-
-
- 100
-
-
- 42
-
-
-
-
-
-
diff --git a/src/qt/forms/sendcoinsentry.ui b/src/qt/forms/sendcoinsentry.ui
index 7c34091a44cd3..3815e19063cd9 100644
--- a/src/qt/forms/sendcoinsentry.ui
+++ b/src/qt/forms/sendcoinsentry.ui
@@ -139,21 +139,7 @@
-
-
-
-
-
-
- -
-
-
- The fee will be deducted from the amount being sent. The recipient will receive less bitcoins than you enter in the amount field. If multiple recipients are selected, the fee is split equally.
-
-
- S&ubtract fee from amount
-
-
-
-
+
-
diff --git a/src/qt/forms/xioncontroldialog.ui b/src/qt/forms/xioncontroldialog.ui
index c7d0df5b84809..a167739a63c9d 100644
--- a/src/qt/forms/xioncontroldialog.ui
+++ b/src/qt/forms/xioncontroldialog.ui
@@ -6,13 +6,13 @@
0
0
- 681
+ 781
450
- 681
+ 781
450
@@ -157,12 +157,17 @@
- xION ID
+ ID
- xION Version
+ Version
+
+
+
+
+ Precomputed
@@ -172,7 +177,7 @@
- Is Spendable
+ Spendable?
diff --git a/src/qt/governancepage.cpp b/src/qt/governancepage.cpp
index a748acb1262a2..6a531639d7efc 100644
--- a/src/qt/governancepage.cpp
+++ b/src/qt/governancepage.cpp
@@ -6,6 +6,7 @@
#include "ui_governancepage.h"
#include "activemasternode.h"
+#include "chainparams.h"
#include "clientmodel.h"
#include "masternode-budget.h"
#include "masternode-sync.h"
@@ -114,7 +115,7 @@ void GovernancePage::updateProposalList()
nLeft = 0;
}
else {
- nNext = pindexPrev->nHeight - pindexPrev->nHeight % GetBudgetPaymentCycleBlocks() + GetBudgetPaymentCycleBlocks();
+ nNext = pindexPrev->nHeight - pindexPrev->nHeight % Params().GetBudgetCycleBlocks() + Params().GetBudgetCycleBlocks();
nLeft = nNext - pindexPrev->nHeight;
}
diff --git a/src/qt/guiconstants.h b/src/qt/guiconstants.h
index 172476234af4e..9086d7b3935b0 100644
--- a/src/qt/guiconstants.h
+++ b/src/qt/guiconstants.h
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -55,9 +54,8 @@ static const int MAX_URI_LENGTH = 255;
#define SPINNER_FRAMES 35
#define QAPP_ORG_NAME "ION"
-#define QAPP_ORG_DOMAIN "ioncoin.org"
-#define QAPP_APP_NAME_DEFAULT "Ion-Qt"
-#define QAPP_APP_NAME_TESTNET "Ion-Qt-testnet"
-#define QAPP_APP_NAME_REGTEST "Ion-Qt-regtest"
+#define QAPP_ORG_DOMAIN "ioncoin.xyz"
+#define QAPP_APP_NAME_DEFAULT "ION-Qt"
+#define QAPP_APP_NAME_TESTNET "ION-Qt-testnet"
#endif // BITCOIN_QT_GUICONSTANTS_H
diff --git a/src/qt/guiutil.cpp b/src/qt/guiutil.cpp
index 3ddd6b48b6480..950cb934a9213 100644
--- a/src/qt/guiutil.cpp
+++ b/src/qt/guiutil.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -206,7 +205,7 @@ QString formatBitcoinURI(const SendCoinsRecipient& info)
bool isDust(const QString& address, const CAmount& amount)
{
- CTxDestination dest = DecodeDestination(address.toStdString());
+ CTxDestination dest = CBitcoinAddress(address.toStdString()).Get();
CScript script = GetScriptForDestination(dest);
CTxOut txOut(amount, script);
return txOut.IsDust(::minRelayTxFee);
diff --git a/src/qt/guiutil.h b/src/qt/guiutil.h
index 76b788f1b90e3..aecc6886e0989 100644
--- a/src/qt/guiutil.h
+++ b/src/qt/guiutil.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/intro.cpp b/src/qt/intro.cpp
index c03fe1b005357..43024d4b251c7 100644
--- a/src/qt/intro.cpp
+++ b/src/qt/intro.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -175,7 +174,7 @@ bool Intro::pickDataDirectory()
TryCreateDirectory(GUIUtil::qstringToBoostPath(dataDir));
break;
} catch (fs::filesystem_error& e) {
- QMessageBox::critical(0, tr("Ion Core"),
+ QMessageBox::critical(0, tr("ION Core"),
tr("Error: Specified data directory \"%1\" cannot be created.").arg(dataDir));
/* fall through, back to choosing screen */
}
diff --git a/src/qt/intro.h b/src/qt/intro.h
index 5cff82780e4af..4e7987e7a924d 100644
--- a/src/qt/intro.h
+++ b/src/qt/intro.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/ion.cpp b/src/qt/ion.cpp
index ac6590e479afc..7cdb2a3a1309c 100644
--- a/src/qt/ion.cpp
+++ b/src/qt/ion.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2009-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -35,7 +34,7 @@
#include "util.h"
#ifdef ENABLE_WALLET
-#include "wallet.h"
+#include "wallet/wallet.h"
#endif
#include
@@ -146,7 +145,7 @@ void DebugMessageHandler(QtMsgType type, const QMessageLogContext& context, cons
LogPrint(category, "GUI: %s\n", msg.toStdString());
}
-/** Class encapsulating Ion Core startup and shutdown.
+/** Class encapsulating ION Core startup and shutdown.
* Allows running startup and shutdown in a different thread from the UI thread.
*/
class BitcoinCore : public QObject
@@ -551,14 +550,14 @@ int main(int argc, char* argv[])
/// 6. Determine availability of data directory and parse ioncoin.conf
/// - Do not call GetDataDir(true) before this step finishes
if (!boost::filesystem::is_directory(GetDataDir(false))) {
- QMessageBox::critical(0, QObject::tr("Ion Core"),
+ QMessageBox::critical(0, QObject::tr("ION Core"),
QObject::tr("Error: Specified data directory \"%1\" does not exist.").arg(QString::fromStdString(mapArgs["-datadir"])));
return 1;
}
try {
ReadConfigFile(mapArgs, mapMultiArgs);
} catch (std::exception& e) {
- QMessageBox::critical(0, QObject::tr("Ion Core"),
+ QMessageBox::critical(0, QObject::tr("ION Core"),
QObject::tr("Error: Cannot parse configuration file: %1. Only use key=value syntax.").arg(e.what()));
return 0;
}
@@ -571,7 +570,7 @@ int main(int argc, char* argv[])
// Check for -testnet or -regtest parameter (Params() calls are only valid after this clause)
if (!SelectParamsFromCommandLine()) {
- QMessageBox::critical(0, QObject::tr("Ion Core"), QObject::tr("Error: Invalid combination of -regtest and -testnet."));
+ QMessageBox::critical(0, QObject::tr("ION Core"), QObject::tr("Error: Invalid combination of -regtest and -testnet."));
return 1;
}
#ifdef ENABLE_WALLET
@@ -590,7 +589,7 @@ int main(int argc, char* argv[])
/// 7a. parse masternode.conf
string strErr;
if (!masternodeConfig.read(strErr)) {
- QMessageBox::critical(0, QObject::tr("Ion Core"),
+ QMessageBox::critical(0, QObject::tr("ION Core"),
QObject::tr("Error reading masternode configuration file: %1").arg(strErr.c_str()));
return 0;
}
@@ -631,7 +630,7 @@ int main(int argc, char* argv[])
app.createWindow(networkStyle.data());
app.requestInitialize();
#if defined(Q_OS_WIN)
- WinShutdownMonitor::registerShutdownBlockReason(QObject::tr("Ion Core didn't yet exit safely..."), (HWND)app.getMainWinId());
+ WinShutdownMonitor::registerShutdownBlockReason(QObject::tr("ION Core didn't yet exit safely..."), (HWND)app.getMainWinId());
#endif
app.exec();
app.requestShutdown();
diff --git a/src/qt/ion.qrc b/src/qt/ion.qrc
index 335aec44799b8..fbd6763eeece7 100644
--- a/src/qt/ion.qrc
+++ b/src/qt/ion.qrc
@@ -38,6 +38,9 @@
res/icons/governance_dark.png
res/icons/export.png
res/icons/synced.png
+ res/icons/notsynced.png
+ res/icons/notsynced_testnet.png
+ res/icons/notsynced_regtest.png
res/icons/remove.png
res/icons/tx_mined.png
res/icons/tx_input.png
@@ -75,6 +78,8 @@
res/images/about.png
res/images/ion_logo_horizontal.png
+ res/images/ion_logo_horizontal_testnet.png
+ res/images/ion_logo_horizontal_regtest.png
res/images/downArrow_dark.png
res/images/downArrow_small_dark.png
res/images/downArrow_small.png
@@ -83,8 +88,6 @@
res/images/leftArrow_small_dark.png
res/images/rightArrow_small_dark.png
res/images/qtreeview_selected.png
- res/images/walletFrame_bg.png
- res/images/walletFrame.png
res/images/splash.png
res/images/splash_testnet.png
res/images/splash_regtest.png
diff --git a/src/qt/ion_locale.qrc b/src/qt/ion_locale.qrc
index 10c94dd581d19..9bcdb819e7faf 100644
--- a/src/qt/ion_locale.qrc
+++ b/src/qt/ion_locale.qrc
@@ -6,6 +6,7 @@
locale/ion_da.qm
locale/ion_de.qm
locale/ion_en.qm
+ locale/ion_en_GB.qm
locale/ion_en_US.qm
locale/ion_eo.qm
locale/ion_es.qm
diff --git a/src/qt/ionstrings.cpp b/src/qt/ionstrings.cpp
index c0f7213e1a9d9..70fe6667d1182 100644
--- a/src/qt/ionstrings.cpp
+++ b/src/qt/ionstrings.cpp
@@ -32,7 +32,7 @@ QT_TRANSLATE_NOOP("ion-core", ""
QT_TRANSLATE_NOOP("ion-core", ""
"Calculated accumulator checkpoint is not what is recorded by block index"),
QT_TRANSLATE_NOOP("ion-core", ""
-"Cannot obtain a lock on data directory %s. Ion Core is probably already "
+"Cannot obtain a lock on data directory %s. ION Core is probably already "
"running."),
QT_TRANSLATE_NOOP("ion-core", ""
"Change automatic finalized budget voting behavior. mode=auto: Vote for only "
@@ -58,6 +58,8 @@ QT_TRANSLATE_NOOP("ion-core", ""
QT_TRANSLATE_NOOP("ion-core", ""
"Enable SwiftX, show confirmations for locked transactions (bool, default: %s)"),
QT_TRANSLATE_NOOP("ion-core", ""
+"Enable automatic Zerocoin minting from specific addresses (0-1, default: %u)"),
+QT_TRANSLATE_NOOP("ion-core", ""
"Enable automatic wallet backups triggered after each xION minting (0-1, "
"default: %u)"),
QT_TRANSLATE_NOOP("ion-core", ""
@@ -134,9 +136,14 @@ QT_TRANSLATE_NOOP("ion-core", ""
"Maintain a full transaction index, used by the getrawtransaction rpc call "
"(default: %u)"),
QT_TRANSLATE_NOOP("ion-core", ""
+"Maximum average size of an index occurrence in the block spam filter "
+"(default: %u)"),
+QT_TRANSLATE_NOOP("ion-core", ""
"Maximum size of data in data carrier transactions we relay and mine "
"(default: %u)"),
QT_TRANSLATE_NOOP("ion-core", ""
+"Maximum size of the list of indexes in the block spam filter (default: %u)"),
+QT_TRANSLATE_NOOP("ion-core", ""
"Maximum total fees to use in a single wallet transaction, setting too low "
"may abort large transactions (default: %s)"),
QT_TRANSLATE_NOOP("ion-core", ""
@@ -162,6 +169,9 @@ QT_TRANSLATE_NOOP("ion-core", ""
QT_TRANSLATE_NOOP("ion-core", ""
"Set maximum size of high-priority/low-fee transactions in bytes (default: %d)"),
QT_TRANSLATE_NOOP("ion-core", ""
+"Set the number of included blocks to precompute per cycle. (minimum: %d) "
+"(maximum: %d) (default: %d)"),
+QT_TRANSLATE_NOOP("ion-core", ""
"Set the number of script verification threads (%u to %d, 0 = auto, <0 = "
"leave that many cores free, default: %d)"),
QT_TRANSLATE_NOOP("ion-core", ""
@@ -185,6 +195,11 @@ QT_TRANSLATE_NOOP("ion-core", ""
"SwiftX requires inputs with at least 6 confirmations, you might need to wait "
"a few minutes and try again."),
QT_TRANSLATE_NOOP("ion-core", ""
+"The block database contains a block which appears to be from the future. "
+"This may be due to your computer's date and time being set incorrectly. Only "
+"rebuild the block database if you are sure that your computer's date and "
+"time are correct"),
+QT_TRANSLATE_NOOP("ion-core", ""
"This is a pre-release test build - use at your own risk - do not use for "
"staking or merchant applications!"),
QT_TRANSLATE_NOOP("ion-core", ""
@@ -195,7 +210,7 @@ QT_TRANSLATE_NOOP("ion-core", ""
"Total length of network version string (%i) exceeds maximum length (%i). "
"Reduce the number or size of uacomments."),
QT_TRANSLATE_NOOP("ion-core", ""
-"Unable to bind to %s on this computer. Ion Core is probably already running."),
+"Unable to bind to %s on this computer. ION Core is probably already running."),
QT_TRANSLATE_NOOP("ion-core", ""
"Unable to locate enough Obfuscation denominated funds for this transaction."),
QT_TRANSLATE_NOOP("ion-core", ""
@@ -215,7 +230,7 @@ QT_TRANSLATE_NOOP("ion-core", ""
"pay if you send a transaction."),
QT_TRANSLATE_NOOP("ion-core", ""
"Warning: Please check that your computer's date and time are correct! If "
-"your clock is wrong Ion Core will not work properly."),
+"your clock is wrong ION Core will not work properly."),
QT_TRANSLATE_NOOP("ion-core", ""
"Warning: The network does not appear to fully agree! Some miners appear to "
"be experiencing issues."),
@@ -247,6 +262,7 @@ QT_TRANSLATE_NOOP("ion-core", "Accept command line and JSON-RPC commands"),
QT_TRANSLATE_NOOP("ion-core", "Accept connections from outside (default: 1 if no -proxy or -connect)"),
QT_TRANSLATE_NOOP("ion-core", "Accept public REST requests (default: %u)"),
QT_TRANSLATE_NOOP("ion-core", "Add a node to connect to and attempt to keep the connection open"),
+QT_TRANSLATE_NOOP("ion-core", "Adding Wrapped Serials supply..."),
QT_TRANSLATE_NOOP("ion-core", "Allow DNS lookups for -addnode, -seednode and -connect"),
QT_TRANSLATE_NOOP("ion-core", "Already have that input."),
QT_TRANSLATE_NOOP("ion-core", "Always query for peer addresses via DNS lookup (default: %u)"),
@@ -265,6 +281,7 @@ QT_TRANSLATE_NOOP("ion-core", "Cannot resolve -externalip address: '%s'"),
QT_TRANSLATE_NOOP("ion-core", "Cannot resolve -whitebind address: '%s'"),
QT_TRANSLATE_NOOP("ion-core", "Cannot write default address"),
QT_TRANSLATE_NOOP("ion-core", "CoinSpend: Accumulator witness does not verify"),
+QT_TRANSLATE_NOOP("ion-core", "CoinSpend: failed check"),
QT_TRANSLATE_NOOP("ion-core", "Collateral not valid."),
QT_TRANSLATE_NOOP("ion-core", "Connect only to the specified node(s)"),
QT_TRANSLATE_NOOP("ion-core", "Connect through SOCKS5 proxy"),
@@ -273,9 +290,10 @@ QT_TRANSLATE_NOOP("ion-core", "Connection options:"),
QT_TRANSLATE_NOOP("ion-core", "Copyright (C) 2009-%i The Bitcoin Core Developers"),
QT_TRANSLATE_NOOP("ion-core", "Copyright (C) 2014-%i The Dash Core Developers"),
QT_TRANSLATE_NOOP("ion-core", "Copyright (C) 2015-%i The PIVX Core Developers"),
-QT_TRANSLATE_NOOP("ion-core", "Copyright (C) 2018-%i The Ion Core Developers"),
+QT_TRANSLATE_NOOP("ion-core", "Copyright (C) 2018-%i The ION Core Developers"),
QT_TRANSLATE_NOOP("ion-core", "Corrupted block database detected"),
QT_TRANSLATE_NOOP("ion-core", "Could not parse masternode.conf"),
+QT_TRANSLATE_NOOP("ion-core", "Couldn't generate the accumulator witness"),
QT_TRANSLATE_NOOP("ion-core", "Debugging/Testing options:"),
QT_TRANSLATE_NOOP("ion-core", "Delete blockchain folders and resync from scratch"),
QT_TRANSLATE_NOOP("ion-core", "Disable OS notifications for incoming transactions (default: %u)"),
@@ -287,6 +305,7 @@ QT_TRANSLATE_NOOP("ion-core", "Do not load the wallet and disable wallet RPC cal
QT_TRANSLATE_NOOP("ion-core", "Do you want to rebuild the block database now?"),
QT_TRANSLATE_NOOP("ion-core", "Done loading"),
QT_TRANSLATE_NOOP("ion-core", "Enable automatic Zerocoin minting (0-1, default: %u)"),
+QT_TRANSLATE_NOOP("ion-core", "Enable precomputation of xION spends and stakes (0-1, default %u)"),
QT_TRANSLATE_NOOP("ion-core", "Enable publish hash block in "),
QT_TRANSLATE_NOOP("ion-core", "Enable publish hash transaction (locked via SwiftX) in "),
QT_TRANSLATE_NOOP("ion-core", "Enable publish hash transaction in "),
@@ -302,7 +321,7 @@ QT_TRANSLATE_NOOP("ion-core", "Error initializing wallet database environment %s
QT_TRANSLATE_NOOP("ion-core", "Error loading block database"),
QT_TRANSLATE_NOOP("ion-core", "Error loading wallet.dat"),
QT_TRANSLATE_NOOP("ion-core", "Error loading wallet.dat: Wallet corrupted"),
-QT_TRANSLATE_NOOP("ion-core", "Error loading wallet.dat: Wallet requires newer version of Ion Core"),
+QT_TRANSLATE_NOOP("ion-core", "Error loading wallet.dat: Wallet requires newer version of ION Core"),
QT_TRANSLATE_NOOP("ion-core", "Error opening block database"),
QT_TRANSLATE_NOOP("ion-core", "Error reading from database, shutting down."),
QT_TRANSLATE_NOOP("ion-core", "Error recovering public key."),
@@ -318,7 +337,6 @@ QT_TRANSLATE_NOOP("ion-core", "Error: Wallet locked, unable to create transactio
QT_TRANSLATE_NOOP("ion-core", "Error: You already have pending entries in the Obfuscation pool"),
QT_TRANSLATE_NOOP("ion-core", "Failed to calculate accumulator checkpoint"),
QT_TRANSLATE_NOOP("ion-core", "Failed to create mint"),
-QT_TRANSLATE_NOOP("ion-core", "Failed to deserialize"),
QT_TRANSLATE_NOOP("ion-core", "Failed to find Zerocoins in wallet.dat"),
QT_TRANSLATE_NOOP("ion-core", "Failed to listen on any port. Use -listen=0 if you want this."),
QT_TRANSLATE_NOOP("ion-core", "Failed to parse host:port string"),
@@ -341,7 +359,7 @@ QT_TRANSLATE_NOOP("ion-core", "Incompatible mode."),
QT_TRANSLATE_NOOP("ion-core", "Incompatible version."),
QT_TRANSLATE_NOOP("ion-core", "Incorrect or no genesis block found. Wrong datadir for network?"),
QT_TRANSLATE_NOOP("ion-core", "Information"),
-QT_TRANSLATE_NOOP("ion-core", "Initialization sanity check failed. Ion Core is shutting down."),
+QT_TRANSLATE_NOOP("ion-core", "Initialization sanity check failed. ION Core is shutting down."),
QT_TRANSLATE_NOOP("ion-core", "Input is not valid."),
QT_TRANSLATE_NOOP("ion-core", "Insufficient funds"),
QT_TRANSLATE_NOOP("ion-core", "Insufficient funds."),
@@ -371,7 +389,7 @@ QT_TRANSLATE_NOOP("ion-core", "Loading budget cache..."),
QT_TRANSLATE_NOOP("ion-core", "Loading masternode cache..."),
QT_TRANSLATE_NOOP("ion-core", "Loading masternode payment cache..."),
QT_TRANSLATE_NOOP("ion-core", "Loading sporks..."),
-QT_TRANSLATE_NOOP("ion-core", "Loading wallet... (%3.1f %%)"),
+QT_TRANSLATE_NOOP("ion-core", "Loading wallet... (%3.2f %%)"),
QT_TRANSLATE_NOOP("ion-core", "Loading wallet..."),
QT_TRANSLATE_NOOP("ion-core", "Location of the auth cookie (default: data dir)"),
QT_TRANSLATE_NOOP("ion-core", "Lock is already in place."),
@@ -414,6 +432,9 @@ QT_TRANSLATE_NOOP("ion-core", "RPC server options:"),
QT_TRANSLATE_NOOP("ion-core", "Randomly drop 1 of every network messages"),
QT_TRANSLATE_NOOP("ion-core", "Randomly fuzz 1 of every network messages"),
QT_TRANSLATE_NOOP("ion-core", "Rebuild block chain index from current blk000??.dat files"),
+QT_TRANSLATE_NOOP("ion-core", "Recalculating ION supply..."),
+QT_TRANSLATE_NOOP("ion-core", "Recalculating minted XION..."),
+QT_TRANSLATE_NOOP("ion-core", "Recalculating spent XION..."),
QT_TRANSLATE_NOOP("ion-core", "Receive and display P2P network alerts (default: %u)"),
QT_TRANSLATE_NOOP("ion-core", "Reindex the ION and xION money supply statistics"),
QT_TRANSLATE_NOOP("ion-core", "Reindex the accumulator database"),
@@ -459,6 +480,7 @@ QT_TRANSLATE_NOOP("ion-core", "Stop running after importing blocks from disk (de
QT_TRANSLATE_NOOP("ion-core", "Submitted following entries to masternode: %u / %d"),
QT_TRANSLATE_NOOP("ion-core", "Submitted to masternode, waiting for more entries ( %u / %d ) %s"),
QT_TRANSLATE_NOOP("ion-core", "Submitted to masternode, waiting in queue %s"),
+QT_TRANSLATE_NOOP("ion-core", "Support the zerocoin light node protocol (default: %u)"),
QT_TRANSLATE_NOOP("ion-core", "SwiftX options:"),
QT_TRANSLATE_NOOP("ion-core", "Synchronization failed"),
QT_TRANSLATE_NOOP("ion-core", "Synchronization finished"),
@@ -469,8 +491,6 @@ QT_TRANSLATE_NOOP("ion-core", "Synchronizing masternodes..."),
QT_TRANSLATE_NOOP("ion-core", "Synchronizing sporks..."),
QT_TRANSLATE_NOOP("ion-core", "Syncing xION wallet..."),
QT_TRANSLATE_NOOP("ion-core", "The coin spend has been used"),
-QT_TRANSLATE_NOOP("ion-core", "The new spend coin transaction did not verify"),
-QT_TRANSLATE_NOOP("ion-core", "The selected mint coin is an invalid coin"),
QT_TRANSLATE_NOOP("ion-core", "The transaction did not verify"),
QT_TRANSLATE_NOOP("ion-core", "This help message"),
QT_TRANSLATE_NOOP("ion-core", "This is experimental software."),
@@ -490,7 +510,6 @@ QT_TRANSLATE_NOOP("ion-core", "Transaction not valid."),
QT_TRANSLATE_NOOP("ion-core", "Transaction too large for fee policy"),
QT_TRANSLATE_NOOP("ion-core", "Transaction too large"),
QT_TRANSLATE_NOOP("ion-core", "Transmitting final transaction."),
-QT_TRANSLATE_NOOP("ion-core", "Try to spend with a higher security level to include more coins"),
QT_TRANSLATE_NOOP("ion-core", "Trying to spend an already spent serial #, try again."),
QT_TRANSLATE_NOOP("ion-core", "Unable to bind to %s on this computer (bind returned error %s)"),
QT_TRANSLATE_NOOP("ion-core", "Unable to find transaction containing mint"),
@@ -502,6 +521,7 @@ QT_TRANSLATE_NOOP("ion-core", "Upgrade wallet to latest format"),
QT_TRANSLATE_NOOP("ion-core", "Use UPnP to map the listening port (default: %u)"),
QT_TRANSLATE_NOOP("ion-core", "Use UPnP to map the listening port (default: 1 when listening)"),
QT_TRANSLATE_NOOP("ion-core", "Use a custom max chain reorganization depth (default: %u)"),
+QT_TRANSLATE_NOOP("ion-core", "Use block spam filter (default: %u)"),
QT_TRANSLATE_NOOP("ion-core", "Use the test network"),
QT_TRANSLATE_NOOP("ion-core", "User Agent comment (%s) contains unsafe characters."),
QT_TRANSLATE_NOOP("ion-core", "Username for JSON-RPC connections"),
@@ -509,10 +529,9 @@ QT_TRANSLATE_NOOP("ion-core", "Value is below the smallest available denominatio
QT_TRANSLATE_NOOP("ion-core", "Value more than Obfuscation pool maximum allows."),
QT_TRANSLATE_NOOP("ion-core", "Verifying blocks..."),
QT_TRANSLATE_NOOP("ion-core", "Verifying wallet..."),
-QT_TRANSLATE_NOOP("ion-core", "Version 1 xION require a security level of 100 to successfully spend."),
QT_TRANSLATE_NOOP("ion-core", "Wallet %s resides outside data directory %s"),
QT_TRANSLATE_NOOP("ion-core", "Wallet is locked."),
-QT_TRANSLATE_NOOP("ion-core", "Wallet needed to be rewritten: restart Ion Core to complete"),
+QT_TRANSLATE_NOOP("ion-core", "Wallet needed to be rewritten: restart ION Core to complete"),
QT_TRANSLATE_NOOP("ion-core", "Wallet options:"),
QT_TRANSLATE_NOOP("ion-core", "Wallet window title"),
QT_TRANSLATE_NOOP("ion-core", "Warning"),
@@ -527,6 +546,7 @@ QT_TRANSLATE_NOOP("ion-core", "Your transaction was accepted into the pool!"),
QT_TRANSLATE_NOOP("ion-core", "Zapping all transactions from wallet..."),
QT_TRANSLATE_NOOP("ion-core", "ZeroMQ notification options:"),
QT_TRANSLATE_NOOP("ion-core", "Zerocoin options:"),
+QT_TRANSLATE_NOOP("ion-core", "could not get lock on cs_spendcache"),
QT_TRANSLATE_NOOP("ion-core", "isValid(): Invalid -proxy address or hostname: '%s'"),
QT_TRANSLATE_NOOP("ion-core", "on startup"),
QT_TRANSLATE_NOOP("ion-core", "wallet.dat corrupt, salvage failed"),
diff --git a/src/qt/locale/ion_bg.ts b/src/qt/locale/ion_bg.ts
index f9e9bd8a5cc04..26314a74e34f0 100644
--- a/src/qt/locale/ion_bg.ts
+++ b/src/qt/locale/ion_bg.ts
@@ -608,10 +608,6 @@
Опции за &Командното-поле
-
-
- Обработени %n блока от преводната история.Обработени %n блока от преводна история.
-
Синхронизиране на допълнитенни данни: %p%
@@ -645,7 +641,7 @@
Колан с инструменти
-
+
ION Ядро
@@ -669,11 +665,11 @@
Разгледай мастърноудове
-
+
&Относно ION Ядрото
-
+
Информациза за ION Ядрото
@@ -729,17 +725,13 @@
Прозорец на блок сондата
-
+
Разкрийте Помощ за ION Ядрото, за да видите списък с възможни писмени команди.
-
+
Клиент ION Ядро
-
-
- %n активни свръзки към ION мрежата %n активни свръзка(и) към ION мрежата
-
Синхронизиране с мрежата...
@@ -760,22 +752,10 @@
Актуален
-
-
- %n часа%n часа
-
-
-
- %n седмици%n седмици
-
%1 и %2
-
-
- %n години%n години
-
Наваксване...
@@ -846,7 +826,7 @@ Address: %4
- АвтоЕмитирането е включено в момента и настроено на
+ АвтоЕмисията е включена и настроена на
@@ -860,7 +840,7 @@ Address: %4
Портфейла е <b>шифриран</b> и в момента е <b>отключен</b>
-
+
BlockExplorer
@@ -1220,6 +1200,17 @@ Address: %4
Не може да създадете нова папка за данни точно тук.
+
+ GovernancePage
+
+
+ От
+
+
+
+ 0
+
+
HelpMessageDialog
@@ -1227,7 +1218,7 @@ Address: %4
версия
-
+
ION Ядро
@@ -1235,7 +1226,7 @@ Address: %4
(%1-bit)
-
+
Относно ION Ядрото
@@ -1282,15 +1273,15 @@ Address: %4
Привет
-
+
Добре Дошли в ION Ядрото
-
+
Тъй като това е първия път, в който стартирате програмата, имате възможността да изберете къде ION Ядрото ще съхранява своите данни.
-
+
ION Ядрото ще изтегли и запише копие на целия ION блокчейн. Поне %1 гигабайта ще бъдат съхранявани в тази папка, като тенденцията е файла да расте. Портфейла също ще бъде запазен в тази папка.
@@ -1302,7 +1293,7 @@ Address: %4
Задай своя папка за данни:
-
+
ION Ядро
@@ -1537,50 +1528,10 @@ MultiSend will not be activated unless you have clicked Activate
(без етикет)
-
-
- Въведения адрес:
-
-
-
-
- е невалиден.
-Моля проверете адреса отново и опитайте пак.
-
-
-
- Сумата по Вашия вектор за МултиИзпращане надхвърля 100% от вашето стейк възнаграждение.
-
-
Използвайте числата 1 - 100 за процент.
-
-
- МултиСенд е успешно запазен в паметта, но свойствата не бяха записани в базата данни.
-
-
-
-
- Вектор по МултиИзпращане
-
-
-
-
- Премахнат
-
-
-
- Не намирам адреса
-
-
MultisigDialog
@@ -1776,31 +1727,31 @@ Please be patient after clicking import.
Изберете ниво на поверителност.
-
- Използвай 2 различни мастърноуда за смесване на средства над 10000 ION
+
+ Използвай 2 различни мастърноуда за смесване на средства над 20000 ION
-
- Използвай 8 различни мастърноуда за да смесите средства до 10000 ION
+
+ Използвай 8 различни мастърноуда за да смесите средства до 20000 ION
Използвай 16 различни мастърноуда
-
- Това е най-бързия метод и ще струва около 0.025 ION за да скриете 10000 ION
+
+ Това е най-бързия метод и ще струва около 0.025 ION за да скриете 20000 ION
-
- Тази опция е сравнително бърза и ще струва около 0.05 ION за да скриете 10000 ION
+
+ Тази опция е сравнително бърза и ще струва около 0.05 ION за да скриете 20000 ION
Това е най-бавния и най-сигурен вариант за скриване на ION. Използването й ще струва
-
+
0.1 ION за 10000 скрити ION
@@ -2473,18 +2424,6 @@ xION са узрели, тогава когато имат повече от 20
0 xION
-
-
- Сигурност на Zerocoin Преводите. Повече - означава по-добра сигурност, но изисква повече време и ресурси.
-
-
-
- Сигурност:
-
-
-
- Ниво на Сигурност 1 - 100 (42 по подразбиране)
-
Плати На:
@@ -2761,14 +2700,6 @@ To change the percentage (no restart required):
Please be patient...
Стартиране на ResetMintZerocoin: сканираме цялия блокчейн, това ще изисква около 30 минути, в зависимост от вашия компютър.
Моля изчакате...
-
-
-
- Харчене на Zerocoin.
-Математически скъп превод, който може да има нужда от няколко минути за потвърждение, в зависимост от избраното Ниво на Сигурност и Вашият хардуер.
-Моля проявете търпение...
на ново-генериран (неизползван до сега и поради това - анонимен) локален адрес <br />
-
-
- с Ниво на Сигурност
-
Потвърждаване на изпращането
-
-
- Версия 1 xION изисква ниво на сигурност от 100 за успешно изразходване.
-
-
-
- Неуспешно изразходване на xION
-
Неуспешно извличане на мента, свързана със сериен хеш
@@ -2974,11 +2893,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Харченето на Zerocoin се провали със статус =
-
-
- Enter an amount of ION to convert to xION
- PrivacyDialogPrivacyDialog
-
деноминация:
@@ -3012,6 +2926,9 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
такса:
+
+ ProposalFrame
+
QObject
@@ -3062,7 +2979,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
%1 милисек.
-
+
+
+ ION Ядро
+
+
QRImageWidget
@@ -3424,10 +3345,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Потвърдете ресинх на Блокчейна
-
-
- Използвайте стрелките за на доре и на долу, за да разгледате историята и <b>Ctrol-L</b>за да изчистите екрана.
-
Напишете <b>help</b> за списък с възможните команди.
@@ -3499,6 +3416,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Незадължителен етикет, който да асоциираме с адреса за получаване.
+
+
+ Сума:
+
Съобщение свободен текст, което да се прикачи към платежното нареждане, за да бъде показано когато нареждането се отвори от клиента на когото е изпратено. Обърнете внимание, че съобщението няма да бъде изпратено заедно с плащането по ION мрежата.
@@ -3523,10 +3444,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Незадължителна сума за поискване. Оставете полето празно или напишете нула, за да не изисквате определена сума.
-
-
- &Сума:
-
&Поискай плащане
@@ -3571,6 +3488,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Копирай сумата
+
+
+ Копирай адрес
+
ReceiveRequestDialog
@@ -3641,6 +3562,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Съобщение
+
+
+ Адрес
+
Сума
@@ -3924,10 +3849,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Такса %1 пъти по-голяма от %2 за кБ се счита неразумно голяма такса.
-
-
- Очаквано начало на потвърждения след %n блока.Очаквано начало на потвърждения след %n блока.
-
Адреса на получателя е недвалиден. Моля преверете.
@@ -4067,7 +3988,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
ShutdownWindow
-
+
Изключване на ION Ядрото...
@@ -4217,7 +4138,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
SplashScreen
-
+
ION Ядро
@@ -4233,8 +4154,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Dash Core разработчици
-
- Ion Core разработчици
+
+ ION Core разработчици
@@ -4250,10 +4171,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
TransactionDesc
-
-
- Отворен за още %n блокаОтворен за още %n блока
-
Отворен до %1
@@ -4314,10 +4231,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
, все още неуспешно обявени
-
-
- , обявени през %n възела, обявени през %n нода
-
Дата
@@ -4358,10 +4271,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Кредит
-
-
- узрява след още %n блокаузрява след още %n блока
-
не е приет
@@ -4460,10 +4369,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Адрес
-
-
- Отворен за още %n блокаОтворен за още %n блока
-
Отворен до %1
@@ -4866,11 +4771,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Избери/Премахни Всички
-
-
- В Налични за харечене
-
-
+
ion-core
@@ -4898,7 +4799,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Изчисления чекпойнт на акумулатора не е същия като записания в блок индекса.
-
+
Не може да заключи папката с данни %s. ION Портфейла вероятно вече е стартиран.
@@ -5070,7 +4971,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Този продукт включва софтуер разработен от OpenSSL Project <https://www.openssl.org/> и крипто софтуер написан от Ерик Юнг и UPnP софтуер от Томас Бернард.
-
+
Не може да се прикачи към %s на този компютър. ION Портфейла вероятно вече е стартиран.
@@ -5078,12 +4979,12 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Не намираме достатъчно Обфускационно деноминирани средства за този превод.
-
- Не можем да намерим достатъчно Обфускационно не-деноминирани средства за този превод, които да не са равни на 10000 ION.
+
+ Не можем да намерим достатъчно Обфускационно не-деноминирани средства за този превод, които да не са равни на 20000 ION.
-
- Не намираме достатъчно средства за този превод, които да не са равни на 10000 ION.
+
+ Не намираме достатъчно средства за този превод, които да не са равни на 20000 ION.
@@ -5098,7 +4999,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Внимание: -paytxfee е зададена твърде голяма! Това е преводната такса, която ще платите ако изпратите този превод.
-
+
Внимание: Проверете дали датата и часа на компютъра са верни! Ако Вашият часовник греши, ION Портфейла няма да работи правилно.
@@ -5254,8 +5155,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Всички права запазени (c) 2015-%i PIVX Core разработчици
-
- Всички права запазени (c) 2018-%i Ion Core разработчици
+
+ Всички права запазени (c) 2018-%i ION Core разработчици
@@ -5342,7 +5243,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Грешка в зареждането на wallet.dat: Портфейла е повреден
-
+
Грешка в зареждането на wallet.dat: Портфейла изисква по-нова версия
@@ -5458,7 +5359,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Информация
-
+
Стартирането на проверка на здравословното състояние на портфейла се провали. Изключваме Портфейла.
@@ -5669,10 +5570,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Неуспешно емитиране
-
-
- Неуспешно изтриване на серийния номер
-
Няма намерени Zerocoin монети в wallet.dat файла
@@ -5742,8 +5639,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Зареждане на вилицо-лъжици...
-
- Зареждане на портфейла... (%3.1f %%)
+
+ Зареждане на портфейла... (%3.2f %%)
@@ -6113,14 +6010,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Монетното плащане е използвано
-
-
- Новото преводно плащане не бе потвърдено
-
-
-
- Избраната емисия е невалидна монета
-
Превода не бе потвърден
@@ -6269,10 +6158,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Проверява портфейла...
-
-
- Версия 1 xION изисква ниво на сигурност от 100 за успешно изразходване.
-
Портфейла %s е извън папката с данни %s
@@ -6282,7 +6167,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Портфейла е заключен.
-
+
Портфейла трябва да се пренапише: рестартирайте програмата за завършване на процеса
diff --git a/src/qt/locale/ion_ca.ts b/src/qt/locale/ion_ca.ts
index f7deaa3a3e2da..d07dd90744ca9 100644
--- a/src/qt/locale/ion_ca.ts
+++ b/src/qt/locale/ion_ca.ts
@@ -421,8 +421,8 @@
A&juda
-
- Ion Core
+
+ ION Core
@@ -437,8 +437,8 @@
&Masternodes
-
- &Sobre Ion Core
+
+ &Sobre ION Core
@@ -461,7 +461,7 @@
Obre el fitxer de configuració del Masternode
-
+
Client ION core
@@ -516,7 +516,7 @@
El moneder està <b>encriptat</b> i bloquejat</b>
-
+
BlockExplorer
@@ -844,6 +844,17 @@
No és possible crear una carpeta de dades aquí.
+
+ GovernancePage
+
+
+ Formulari
+
+
+
+ 0
+
+
HelpMessageDialog
@@ -851,16 +862,16 @@
versió
-
- Ion Core
+
+ ION Core
(%1-bit)
-
- Sobre Ion Core
+
+ Sobre ION Core
@@ -906,12 +917,12 @@
Benvingut
-
- Benvingut a Ion Core.
+
+ Benvingut a ION Core.
-
- Al ser el primer cop que s'inicia el programa, pots escollir on es desaran les dades del Ion Core.
+
+ Al ser el primer cop que s'inicia el programa, pots escollir on es desaran les dades del ION Core.
@@ -922,8 +933,8 @@
Usar una carpeta de dades personalitzada:
-
- Ion Core
+
+ ION Core
@@ -1083,32 +1094,10 @@
(sense etiqueta)
-
-
- L'adreça introduïda:
-
-
Si us plau introdueix 1 - 100 per al percentatge
-
-
- Vector MultiSend
-
-
-
-
- Eliminat
-
-
-
- No s'ha trobat l'adreça
-
-
MultisigDialog
@@ -1148,24 +1137,24 @@
Si us plau, selecciona un nivell de privacitat.
-
- Utilitza 2 masternodes diferents per mesclar fons de fins a 10000 ION
+
+ Utilitza 2 masternodes diferents per mesclar fons de fins a 20000 ION
-
- Utilitza 8 masternodes diferents per mesclar fons de fins a 10000 ION
+
+ Utilitza 8 masternodes diferents per mesclar fons de fins a 20000 ION
Utilitza 16 masternodes diferents
-
- Aquesta opció és la més ràpida i té un cost d'uns ~0.025 ION per anonimitzar 10000 ION
+
+ Aquesta opció és la més ràpida i té un cost d'uns ~0.025 ION per anonimitzar 20000 ION
-
- Aquesta opció és moderadament ràpida i té un cost d'uns 0.05 ION per anonimitzar 10000 ION
+
+ Aquesta opció és moderadament ràpida i té un cost d'uns 0.05 ION per anonimitzar 20000 ION
@@ -1374,6 +1363,9 @@
Copia l'import
+
+ ProposalFrame
+
QObject
@@ -1404,7 +1396,11 @@
%1 ms
-
+
+
+ ION Core
+
+
QRImageWidget
@@ -1521,6 +1517,10 @@
&Missatge:
+
+
+ I&mport:
+
Elimina
@@ -1537,6 +1537,10 @@
Copia l'import
+
+
+ Copia l'adreça
+
ReceiveRequestDialog
@@ -1583,6 +1587,10 @@
Missatge
+
+
+ Adreça
+
Import
@@ -1713,8 +1721,8 @@
ShutdownWindow
-
- Ion Core s'està tancant...
+
+ ION Core s'està tancant...
@@ -1779,8 +1787,8 @@
SplashScreen
-
- Ion Core
+
+ ION Core
@@ -2004,8 +2012,8 @@
S'està carregant l'índex de blocs...
-
- S'està carregant el moneder... (%3.1f %%)
+
+ S'està carregant el moneder... (%3.2f %%)
diff --git a/src/qt/locale/ion_cs.ts b/src/qt/locale/ion_cs.ts
index 25021493a2ce0..f6b3ae7c32a85 100644
--- a/src/qt/locale/ion_cs.ts
+++ b/src/qt/locale/ion_cs.ts
@@ -601,8 +601,8 @@
Nástrojová lišta záložek
-
- Ion Core
+
+ ION Core
@@ -625,12 +625,12 @@
Procházet masternody
-
- &O Ion Core
+
+ &O ION Core
-
- Zobraz informace o Ion Core
+
+ Zobraz informace o ION Core
@@ -685,12 +685,12 @@
Okno blokového průzkumníka
-
- Zobrazit Ion Core pomocnou zpráv pro získání seznamu možných parametrů ION pro příkazy do příkazové řádky
+
+ Zobrazit ION Core pomocnou zpráv pro získání seznamu možných parametrů ION pro příkazy do příkazové řádky
-
- Ion Core klient
+
+ ION Core klient
@@ -792,7 +792,7 @@ MultiSend: %1
Peněženka je <b>zašifrovaná</b> a momentálně je <b>zamčená</b>
-
+
BlockExplorer
@@ -1120,6 +1120,17 @@ MultiSend: %1
Zde nelze vytvořit složku.
+
+ GovernancePage
+
+
+ Od
+
+
+
+ 0
+
+
HelpMessageDialog
@@ -1127,12 +1138,12 @@ MultiSend: %1
verze
-
- Ion Core
+
+ ION Core
-
- O Ion Core
+
+ O ION Core
@@ -1166,16 +1177,16 @@ MultiSend: %1
Vítejte
-
- Vítejte v Ion Core.
+
+ Vítejte v ION Core.
-
- Při prvním spuštění programu si můžete vybrat, kam bude Ion Core ukládat svá data.
+
+ Při prvním spuštění programu si můžete vybrat, kam bude ION Core ukládat svá data.
-
- Ion Core stáhne a uloží kopii ION blockchainu. Nejméně %1GB dat bude do této složky uloženo a v průběhu času bude ukládat další data. Peněženka bude v této složce uložena také.
+
+ ION Core stáhne a uloží kopii ION blockchainu. Nejméně %1GB dat bude do této složky uloženo a v průběhu času bude ukládat další data. Peněženka bude v této složce uložena také.
@@ -1186,8 +1197,8 @@ MultiSend: %1
Použít vlastní složku pro data
-
- Ion Core
+
+ ION Core
@@ -1391,44 +1402,10 @@ MultiSend: %1
(bez popisku)
-
-
- Zadaná adresa:
-
-
-
-
- není validní.
-Prosím zkontrolujte adresu a zkuste to znovu.
-
-
-
- Celkovvá hodnota Vašeho MultiSend Vekktoru je přes 100% vaší odměny ze vsázení
-
-
Prosím, zadejte 1-100 procent.
-
-
- MultiSend Vektor
-
-
-
-
- Odstraněno
-
-
-
- Nemůžu najít adresu
-
-
MultisigDialog
@@ -1468,24 +1445,24 @@ Prosím zkontrolujte adresu a zkuste to znovu.
Vyberte úrpvěň ochrany soukromí
-
- Použí 2 oddělené masternody k promíchání prostředků až do 10000 ION
+
+ Použí 2 oddělené masternody k promíchání prostředků až do 20000 ION
Použít 16 oddělených masternodů
-
- Tato možnost je nejrychleší a bude stát zhruba ~0.025 ION pro anonymizaci 10000 ION
+
+ Tato možnost je nejrychleší a bude stát zhruba ~0.025 ION pro anonymizaci 20000 ION
Toto je nejpomalejší a nejvíce bezpečná volba. Použití maximalní anonymity bude stát
-
- 0.1 ION za 10000 ION anonymizujete.
+
+ 0.1 ION za 20000 ION anonymizujete.
@@ -1746,6 +1723,9 @@ Prosím zkontrolujte adresu a zkuste to znovu.
Kopírovat hodnotu
+
+ ProposalFrame
+
QObject
@@ -1772,6 +1752,10 @@ Prosím zkontrolujte adresu a zkuste to znovu.
N/A
+
+
+ ION Core
+
QRImageWidget
@@ -1946,12 +1930,12 @@ Prosím zkontrolujte adresu a zkuste to znovu.
ReceiveCoinsDialog
-
- &Popis
+
+ H&odnota:
-
- &Hodnota
+
+ &Popis
@@ -1981,6 +1965,10 @@ Prosím zkontrolujte adresu a zkuste to znovu.
Kopírovat hodnotu
+
+
+ Kopírovat adresu
+
ReceiveRequestDialog
@@ -2035,6 +2023,10 @@ Prosím zkontrolujte adresu a zkuste to znovu.
Zpráva
+
+
+ Adresa
+
Hodnota
@@ -2291,8 +2283,8 @@ Prosím zkontrolujte adresu a zkuste to znovu.
SplashScreen
-
- Ion Core
+
+ ION Core
diff --git a/src/qt/locale/ion_da.ts b/src/qt/locale/ion_da.ts
index 3faa68cc5f79c..f2c0028b0a6ae 100644
--- a/src/qt/locale/ion_da.ts
+++ b/src/qt/locale/ion_da.ts
@@ -610,7 +610,7 @@
- Behandlet %n blok af transaktionshistorik.Behandlet %n blokke af transaktionshistorik.
+ Der er gennemløbet %n blokke af transaktionshistorikken.Der er gennemløbet %n blokke af transaktionshistorikken.
@@ -645,7 +645,7 @@
Værktøjslinier
-
+
ION kerne
@@ -669,11 +669,11 @@
Vis masternoder
-
+
&Om ION kerne
-
+
Vis information om ION kerne
@@ -729,16 +729,16 @@
Blockexplorer vindue
-
+
Vis hjelpetekster fra ION kernen for at få en liste med mulige ION kommandolinie-startparametre
-
+
ION kerneklient
- %n aktiv forbindelse til ION-netværk%n aktiv forbindelse(s) til ION netværk
+ %n aktiv forbindelse(s) til ION netværk%n aktiv forbindelse(s) til ION netværk
@@ -864,7 +864,7 @@ Adresse: %4
Tegnebogen er <b>krypteret og låst</b>
-
+
BlockExplorer
@@ -1224,6 +1224,17 @@ Adresse: %4
Kan ikke oprette en mappe hr
+
+ GovernancePage
+
+
+ Formular
+
+
+
+ 0
+
+
HelpMessageDialog
@@ -1231,7 +1242,7 @@ Adresse: %4
version
-
+
ION kerne
@@ -1239,7 +1250,7 @@ Adresse: %4
(%1-bit)
-
+
om ION kerne
@@ -1286,15 +1297,15 @@ Adresse: %4
Velkommen
-
+
Velkommen til ION kerne
-
+
Da det er første gang programmet startes, kan De vælge hvor ION kernen skal lagre sine data
-
+
ION kernen vil nu hente og gemme en kopi af ION blockchain. Der skal være mindst %1GB ledigt på lagermediet, og behovet vil stige efterhånden som tiden går. Selve tegnebogen vil også blive gemt her.
@@ -1306,7 +1317,7 @@ Adresse: %4
Anvend en mappe valgt af brugeren
-
+
ION kerne
@@ -1542,48 +1553,26 @@ Multisend vil ikke fungere med mindre systemet er aktiveret.
(ingen opmærknig)
-
- Den indtastede adresse:
-
-
-
-
- er ikke gyldig.
-Kontroller adressen og prøv igen.
-
-
-
+
Den totale sum af Deres Multisendgruppe er over 100% af Deres indskudsbelønning
-
- Indtast en procentsats 1-100
-
-
-
+
Gemt MultiSend til hukommelse, men fejlede gemme egenskaber til databasen.
-
- Multisendgruppe
-
+
+ Fjernet %1
-
- Fjernet
+
+ Kunne ikke finde adresse
-
- Kunne ikke finde adresse
-
+
+ Indtast en procentsats 1-100
@@ -1780,32 +1769,32 @@ Vær tålmodig efter at du har klikket på import.
Vælg tilsløringsniveau
-
- Brug 2 separate masternoder for at tilsløre beløb op til 10000 ION
+
+ Brug 2 separate masternoder for at tilsløre beløb op til 20000 ION
-
- Brug 8 separate masternoder for at tilsløre op til 10000 ION
+
+ Brug 8 separate masternoder for at tilsløre op til 20000 ION
Brug 16 separate masternoder
-
- Dette valg er det hurtigste og vil koste i omegnen af 0.025 ION for at anonymiser 10000 ION
+
+ Dette valg er det hurtigste og vil koste i omegnen af 0.025 ION for at anonymiser 20000 ION
-
- Dette valg er relativt hurtigt og vil koste i omegnen af 0.05 ION for at anonymiser 10000 ION
+
+ Dette valg er relativt hurtigt og vil koste i omegnen af 0.05 ION for at anonymiser 20000 ION
Denne mulighed er den langsomste og det mest sikre valg. Valg af maksimal tilsløring vil koste
-
- 0.1 pr 10000 ION for at tilsløre.
+
+ 0.1 pr 20000 ION for at tilsløre.
@@ -2484,18 +2473,6 @@ xION er modne, når de har mere end 20 bekræftelser OG mere end 2 minutter med
0 xION
-
-
- Sikkerhedsniveau for Zerocoin Transaktioner. Mere er bedre, men har brug for mere tid og ressourcer.
-
-
-
- Sikkerhedsniveau:
-
-
-
- Sikkerhedsniveau 1 - 100 (standard: 42)
-
Betal &Til
@@ -2772,14 +2749,6 @@ For at ændre procentdelen (ingen genstart kræves):.
Please be patient...
Starter ResetMintZerocoin: Genskanning af komplet blockchain, dette vil tage op til 30 minutter afhængigt af din hardware.
Vær tålmodig...
-
-
-
- Tilbringe Zerocoin
-Computationally dyrt, kan have brug for flere minutter afhængigt af det valgte sikkerhedsniveau og din hardware.
-Vær tålmodig..
-
- with Security Level
- med sikkerhedsniveau
-
Confirm send coins
Bekræft at De vil sende mønter
-
- Version 1 xION require a security level of 100 to successfully spend.
- Version 1 xION kræver et sikkerhedsniveau på 100 til succes.
-
-
- Failed to spend xION
- Kunne ikke bruge xION
-
Failed to fetch mint associated with serial hash
Kunne ikke hente mynte i forbindelse med seriel hash
@@ -3023,6 +2980,9 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Gebyr:
+
+ ProposalFrame
+
QObject
@@ -3073,7 +3033,11 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
%1 ms
%1 ms
-
+
+ ION Core
+ ION kerne
+
+
QRImageWidget
@@ -3435,10 +3399,6 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Confirm resync Blockchain
Bekræft resync Blockchain
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Brug piltasterne for at navigere rundt i historiedata, og <b>Ctrl-L</b> for at tømme skærmen.
-
Type <b>help</b> for an overview of available commands.
Tast <b>help> for at få en oversigt over tilgængelige kommandoer
@@ -3510,6 +3470,14 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
An optional label to associate with the new receiving address.
Valgfri opmærkning som tilknyttes den nye modtageradresse.
+
+ &Address:
+ &adresse
+
+
+ A&mount:
+ A&mount
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Valgfri besked som vedhæftes betalingsanmodnigen, og som bliver vist når anmodningen åbnes. Note: Beskeden fremsendes ikke sammen med betalingen, når denne sendes ud på ION netværket.
@@ -3534,10 +3502,6 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
An optional amount to request. Leave this empty or zero to not request a specific amount.
Beløbsfeltet er valgfrit. Efterlad det tomt, eller med værdien 0 for at anmode om et beløb, som afsenderen bestemmer.
-
- &Amount:
- &Beløb
-
&Request payment
&Anmod om betaling
@@ -3582,6 +3546,10 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Copy amount
Kopiér beløb
+
+ Copy address
+ Kopiér adresse
+
ReceiveRequestDialog
@@ -3652,6 +3620,10 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Message
Besked
+
+ Address
+ Adresse
+
Amount
Beløb
@@ -4078,7 +4050,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
ShutdownWindow
- Ion Core is shutting down...
+ ION Core is shutting down...
ION kernen lukker ned
@@ -4228,7 +4200,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
SplashScreen
- Ion Core
+ ION Core
ION kerne
@@ -4244,7 +4216,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
DASH "core" udviklerne
- The Ion Core developers
+ The ION Core developers
ION "core" udviklerne
@@ -4263,7 +4235,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
TransactionDesc
Open for %n more block(s)
- Åbn for %n flere blokkeÅbn for %n flere blokke
+ Åbn for %n blokkeÅbn for %n blokke
Open until %1
@@ -4473,7 +4445,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Open for %n more block(s)
- Åbn for %n flere blokkeÅbn for %n flere blokke
+ Åbn for %n blokkeÅbn for %n blokke
Open until %1
@@ -4877,11 +4849,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Select/Deselect All
Vælg / Fravælg alle
-
- Is Spendable
- Kan tilbringes
-
-
+
ion-core
@@ -4909,7 +4877,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Beregnet akkumulator kontrolpunkt er ikke det, der er registreret af blok indeks
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
Kan ikke låse datamappen %s. ION core kører sandsynligvis allerede.
@@ -5086,7 +5054,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Dette produkt anvender software udviklet i OpenSSL projektet til brug i OpenSSL værktøjssættet <https://www.openssl.org/> og kryptosoftware skrevet afEric Young og UPnP software skrevet af Thomas Bernard.
- Unable to bind to %s on this computer. Ion Core is probably already running.
+ Unable to bind to %s on this computer. ION Core is probably already running.
Det var ikke muligt at forbinde %s på denne computer. ION kører sandsynligvis allerede.
@@ -5094,12 +5062,12 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Det er ikke muligt at allokere tilstrækkeligt med tilsløret designeret indestående for at gennemføre denne transaktion.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Det er ikke muligt at allokere tilstrækkeligt med tilsløret ikke-designeret indestående for at gennemføre denne transaktion, der ikke ækvivalerer 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Det er ikke muligt at allokere tilstrækkeligt med tilsløret ikke-designeret indestående for at gennemføre denne transaktion, der ikke ækvivalerer 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Det var ikke muligt at allokere tilstrækkelige midler til denne transaktion som er forskellig fra 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Det var ikke muligt at allokere tilstrækkelige midler til denne transaktion som er forskellig fra 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5114,7 +5082,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Advarsel! -paytxfee er sat meget højt. Det er dette gebyr De kommer til at betale for transaktionen, hvis De gennemfører.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
Advarsel! Kontroller at computerens dato og tid er korrekt indstillet. Hvis tiden ikke er rigtig, vil ION core ikke fungere ordentligt.
@@ -5270,8 +5238,8 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Copyright (C) 2015-%i The PIVX Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
Corrupted block database detected
@@ -5358,7 +5326,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Fejl ved indlæsning af wallet.dat: Tegnebogen er beskadiget
- Error loading wallet.dat: Wallet requires newer version of Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
Fejl ved indlæsning af wallet.dat: Tegnebogen kræver en nyere version af ION core
@@ -5373,6 +5341,10 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Error recovering public key.
Fejl ved genskabelse af den offentlige nøgle
+
+ Error writing zerocoinDB to disk
+ Fejl ved at skrive zerocoinDB til disk
+
Error
Fejl!
@@ -5409,6 +5381,10 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Failed to listen on any port. Use -listen=0 if you want this.
Lytning på uspecificerede porte mislykkedes. Brug -listen=0 hvis De ønsker denne funktion.
+
+ Failed to parse host:port string
+ Failed to parse host:port string
+
Failed to read block
Læsning af blokken mislykkedes
@@ -5474,7 +5450,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Info:
- Initialization sanity check failed. Ion Core is shutting down.
+ Initialization sanity check failed. ION Core is shutting down.
Initiering af sanitetskontrollen fejlede. ION core lukker ned.
@@ -5685,10 +5661,6 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Failed to create mint
Kunne ikke oprette mynte
-
- Failed to deserialize
- Kunne ikke deserialisere
-
Failed to find Zerocoins in wallet.dat
Kunne ikke finde Zerocoins i wallet.dat
@@ -5758,8 +5730,8 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Indlæser sporks ...
- Loading wallet... (%3.1f %%)
- Indlæser tegnebog... (%3.1f%%)
+ Loading wallet... (%3.2f %%)
+ Indlæser tegnebog... (%3.2f%%)
Loading wallet...
@@ -6129,14 +6101,6 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
The coin spend has been used
Møntudgifterne er blevet brugt
-
- The new spend coin transaction did not verify
- Den nye udgiftsmønttransaktion bekræftede ikke
-
-
- The selected mint coin is an invalid coin
- Den valgte mintmønter er en ugyldig mønt
-
The transaction did not verify
Transaktionen bekræftede ikke
@@ -6285,10 +6249,6 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Verifying wallet...
Verificerer tegnebog
-
- Version 1 xION require a security level of 100 to successfully spend.
- Version 1 xION kræver et sikkerhedsniveau på 100 til succes.
-
Wallet %s resides outside data directory %s
Tegnbogen %s befinder sig udenfor datamappen %s
@@ -6298,7 +6258,7 @@ Enten mint højere nomineringer (så færre input er nødvendige) eller reducere
Tegnebogen er låst
- Wallet needed to be rewritten: restart Ion Core to complete
+ Wallet needed to be rewritten: restart ION Core to complete
Tegnebogen måtte genskrives. Genstart ION core for at gøre færdig
diff --git a/src/qt/locale/ion_de.ts b/src/qt/locale/ion_de.ts
index ddb2789d44bef..4cc19e02e1ee7 100644
--- a/src/qt/locale/ion_de.ts
+++ b/src/qt/locale/ion_de.ts
@@ -608,10 +608,6 @@
&Command-line options
&Kommandozeilenoptionen
-
- Processed %n blocks of transaction history.
- %n Blöcke der Transaktionshistorie bearbeitet.%n Blöcke des Transaktionsverlaufs verarbeitet.
-
Synchronizing additional data: %p%
Synchronisiere zusätzliche Daten: %p%
@@ -645,8 +641,8 @@
Registerkartenleiste
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +665,12 @@
Masternodes durchsuchen
- &About Ion Core
- Über Ion Core
+ &About ION Core
+ Über ION Core
- Show information about Ion Core
- Zeigt Informationen über Ion Core
+ Show information about ION Core
+ Zeigt Informationen über ION Core
Modify configuration options for ION
@@ -725,16 +721,12 @@
Blockchain Betrachter Fenster
- Show the Ion Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
Zeige die ION-Core Hilfe, um mögliche ION Kommando-Zeilen-Optionen anzuzeigen
- Ion Core client
- Ion Core Client
-
-
- %n active connection(s) to ION network
- %n aktive Verbindung(en) zum ION Netzwerk%n aktive Verbindung(en) zum ION Netzwerk
+ ION Core client
+ ION Core Client
Synchronizing with network...
@@ -756,26 +748,10 @@
Up to date
Auf aktuellem Stand
-
- %n hour(s)
- %n Stunden%n Stunden
-
-
- %n day(s)
- %n Tage%n Tage
-
-
- %n week(s)
- %n Wochen%n Wochen
-
%1 and %2
%1 und %2
-
- %n year(s)
- %n Jahre%n Jahre
-
Catching up...
Hole auf...
@@ -859,7 +835,7 @@ Adresse: %4
Wallet is <b>encrypted</b> and currently <b>locked</b>
Wallet ist <b>verschlüsselt</b> und aktuell <b>gesperrt</b>
-
+
BlockExplorer
@@ -1219,6 +1195,17 @@ Adresse: %4
Datenverzeichnis kann hier nicht angelegt werden.
+
+ GovernancePage
+
+ Form
+ Formular
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1226,16 +1213,16 @@ Adresse: %4
Version
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-Bit)
- About Ion Core
- Über Ion Core
+ About ION Core
+ Über ION Core
Command-line options
@@ -1281,16 +1268,16 @@ Adresse: %4
Willkommen
- Welcome to Ion Core.
- Willkommen zu Ion Core.
+ Welcome to ION Core.
+ Willkommen zu ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Da dies das erste Mal ist, dass Sie Ion Core starten, legen Sie jetzt bitte fest, an welchem Ort die Daten gespeichert werden sollen.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Da dies das erste Mal ist, dass Sie ION Core starten, legen Sie jetzt bitte fest, an welchem Ort die Daten gespeichert werden sollen.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core wird die Blockchain laden und lokal speichern. Dafür sind mindestens %1GB freier Speicherplatz erforderlich. Der Speicherbedarf wird mit der Zeit anwachsen. Die Wallet wird ebenfalls in diesem Verzeichnis gespeichert.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core wird die Blockchain laden und lokal speichern. Dafür sind mindestens %1GB freier Speicherplatz erforderlich. Der Speicherbedarf wird mit der Zeit anwachsen. Die Wallet wird ebenfalls in diesem Verzeichnis gespeichert.
Use the default data directory
@@ -1301,8 +1288,8 @@ Adresse: %4
Ein benutzerdefiniertes Datenverzeichnis verwenden:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1532,50 +1519,10 @@ MultiSend wird nicht aktiviert bis Sie auf Aktivieren geklickt haben.(no label)
(keine Bezeichnung)
-
- The entered address:
-
- Die eingegebene Adresse:
-
-
-
- is invalid.
-Please check the address and try again.
- ist ungültig.
-Bitte Adresse überprüfen und nochmals versuchen.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- Die Gesamtzahl des MultiSend Vektors ist über 100% des Stake Rewards
-
-
Please Enter 1 - 100 for percent.
Bitte eine Zahl zwischen 1-100 in Prozent eingeben.
-
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- Gespeichert den MultiSend im Speicher, aber Fehler beim Speichern von Eigenschaften in der Datenbank
-
-
-
- MultiSend Vector
-
- MultiSend Vektor
-
-
-
- Removed
- Gelöscht
-
-
- Could not locate address
-
- Konnte Adresse nicht ermitteln
-
-
MultisigDialog
@@ -1771,32 +1718,32 @@ Bitte haben Sie etwas Geduld, nachdem Sie auf Importieren geklickt haben.Bitte den gewünschten Privatsphäre Level auswählen.
- Use 2 separate masternodes to mix funds up to 10000 ION
- 2 separate Masternodes verwenden um bis zu 10000 ION zu mixen
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ 2 separate Masternodes verwenden um bis zu 20000 ION zu mixen
- Use 8 separate masternodes to mix funds up to 10000 ION
- 8 separate Masternodes verwenden um bis zu 10000 ION zu mixen
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ 8 separate Masternodes verwenden um bis zu 20000 ION zu mixen
Use 16 separate masternodes
16 separate Masternodes verwenden
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Diese Option ist die schnellst und kostet ungefähr ~0.025 ION um 10000 ION zu anonymisieren
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Diese Option ist die schnellst und kostet ungefähr ~0.025 ION um 20000 ION zu anonymisieren
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Diese Option ist angemessen schnell und kostet ungefähr 0.05 ION um 10000 ION zu anonymisieren
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Diese Option ist angemessen schnell und kostet ungefähr 0.05 ION um 20000 ION zu anonymisieren
This is the slowest and most secure option. Using maximum anonymity will cost
Diese Option ist die langsamste und sicherste Option. Die Verwendung maximaler Anonymisierung kostet
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION per 10000 ION die anonymisiert werden.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION per 20000 ION die anonymisiert werden.
Obfuscation Configuration
@@ -2243,7 +2190,7 @@ Falls das automatische Prägen aktiviert ist, wird sich dieser Prozentsatz um de
AutoMint is currently enabled and set to
- Automatisches Prägen ist aktiv und eingestellt auf
+ Automatisches Prägen ist aktiv und eingestellt auf
To disable AutoMint add 'enablezeromint=0' in ioncoin.conf.
@@ -2476,18 +2423,6 @@ xION sind ausgereift wenn sie mehr als 20 Bestätigungen und mehr als 2 Prägung
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Sicherheitsstufe für Zerocoin-Transaktionen. Höher ist besser, benötigt jedoch mehr Zeit und Ressourcen.
-
-
- Security Level:
- Sicherheitsstufe:
-
-
- Security Level 1 - 100 (default: 42)
- Sicherheitsstufe 1 - 100 (Voreinstellung: 42)
-
Pay &To:
E&mpfänger:
@@ -2764,14 +2699,6 @@ Um den Prozentsatz zu ändern (kein Neustart erforderlich):
Please be patient...
Starten von ResetMintZerocoin: Erneutes Scannen der kompletten Blockchain. Das benötigt, je nach Hardware, bis zu 30 Minuten.
Bitte haben Sie etwas Geduld...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- Zerocoin ausgeben.
-Rechnerisch aufwändig. Kann je nach ausgewähltem Sicherheitsstufe und Ihrer Hardware mehrere Minuten benötigen.
-Bitte haben Sie Geduld...
) needed.
@@ -2943,22 +2870,10 @@ Maximal erlaubt:
to a newly generated (unused and therefore anonymous) local address <br />
an eine neu generierte (unbenutzte und daher anonyme) lokale Adresse<br />
-
- with Security Level
- mit Sicherheitsstufe
-
Confirm send coins
Sende Coins bestätigen
-
- Version 1 xION require a security level of 100 to successfully spend.
- Version 1 xION benötigen eine Sicherheitsstufe von 100 um erfolgreich ausgegeben werden zu können.
-
-
- Failed to spend xION
- xION Überweisung fehlgeschlagen
-
Failed to fetch mint associated with serial hash
Mit Hash verbundene Prägung konnte nicht abgerufen werden
@@ -2977,11 +2892,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Spend Zerocoin failed with status =
Ausgeben Zerocoin fehlgeschlagen mit Status =
-
- PrivacyDialog
- Enter an amount of ION to convert to xION
- PrivacyDialogPrivacyDialog
-
denomination:
Stückelung:
@@ -3015,6 +2925,9 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Gebühr:
+
+ ProposalFrame
+
QObject
@@ -3065,7 +2978,11 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
%1 ms
%1 Ms
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
@@ -3427,10 +3344,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Confirm resync Blockchain
Synchronisation der Blockchain bestätigen
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Nutze die Pfeiltasten um durch ehemals genutze Konsolenbefehle zu scrollen und <b>Ctrl-L</b> um das Konsolenfenster zu leeren.
-
Type <b>help</b> for an overview of available commands.
Gebe <b>help</b> ein, um eine Übersicht der verfügbaren Befehle zu erhalten.
@@ -3502,6 +3415,10 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
An optional label to associate with the new receiving address.
Ein optionales Etikett, das mit der neuen Empfangsadresse verknüpft werden soll.
+
+ A&mount:
+ Betra&g:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Eine optionale Nachricht an die Zahlungsaufforderung anhängen, die bei der Eröffnung der Anforderung angezeigt wird. Hinweis: Die Nachricht wird nicht mit der Zahlung über das ION-Netzwerk gesendet.
@@ -3526,10 +3443,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
An optional amount to request. Leave this empty or zero to not request a specific amount.
Einen optionalen Betrag anfordern. Lassen Sie diesen leer oder Null, um einen unbestimmten Betrag anzufordern.
-
- &Amount:
- &Betrag:
-
&Request payment
Zahlung anfo&rdern
@@ -3574,6 +3487,10 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Copy amount
Betrag kopieren
+
+ Copy address
+ Adresse kopieren
+
ReceiveRequestDialog
@@ -3644,6 +3561,10 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Message
Nachricht
+
+ Address
+ Adresse
+
Amount
Betrag
@@ -3927,10 +3848,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
A fee %1 times higher than %2 per kB is considered an insanely high fee.
Eine Gebühr %1 mal höher als %2 pro kB gilt als wahnsinnig hohe Gebühr.
-
- Estimated to begin confirmation within %n block(s).
- Voraussichtlich beginnt die Betätigung in %n Blöcken.Voraussichtlich beginnt die Betätigung in %n Blöcken.
-
The recipient address is not valid, please recheck.
Die Adresse des Empfängers ist nicht gültig, bitte erneut prüfen.
@@ -4070,8 +3987,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
ShutdownWindow
- Ion Core is shutting down...
- Ion Core wird beendet...
+ ION Core is shutting down...
+ ION Core wird beendet...
Do not shut down the computer until this window disappears.
@@ -4178,11 +4095,11 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
The entered address does not refer to a key.
- Die eingegebene Adresse passt nicht zu einem Schlüssel
+ Die eingegebene Adresse passt zu keinem Schlüssel
Wallet unlock was cancelled.
- Wallet-Entsperrung wurde abgebrochen.
+ Entsperrung der Wallet wurde abgebrochen.
Private key for the entered address is not available.
@@ -4220,8 +4137,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -4236,8 +4153,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Die Dash Core Entwickler
- The Ion Core developers
- Die Ion Core Entwickler
+ The ION Core developers
+ Die ION Core Entwickler
[testnet]
@@ -4253,10 +4170,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
TransactionDesc
-
- Open for %n more block(s)
- Geöffnet für %n weitere BlöckeGeöffnet für %n weitere Blöcke
-
Open until %1
Offen bis %1
@@ -4317,10 +4230,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
, has not been successfully broadcast yet
, wurde noch nicht erfolgreich übertragen
-
- , broadcast through %n node(s)
- , über %n Knoten übertragen, über %n Knoten übertragen
-
Date
Datum
@@ -4361,10 +4270,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Credit
Gutschrift
-
- matures in %n more block(s)
- reift noch %n weitere Blöckereift noch %n weitere Blöcke
-
not accepted
nicht angenommen
@@ -4463,10 +4368,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Address
Adresse
-
- Open for %n more block(s)
- Geöffnet für %n weitere BlöckeGeöffnet für %n weitere Blöcke
-
Open until %1
Offen bis %1
@@ -4732,7 +4633,7 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Comma separated file (*.csv)
- Kommagetrennte-Datei (*.csv)
+ Kommagetrennte Datei (*.csv)
Confirmed
@@ -4832,7 +4733,7 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Export the data in the current tab to a file
- Daten der aktuellen Ansicht in eine Datei exportieren
+ Daten aus der aktuellen Ansicht in eine Datei exportieren
Selected amount:
@@ -4869,11 +4770,7 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Select/Deselect All
Alle Aus-/Abwählen
-
- Is Spendable
- ist aufwendbar
-
-
+
ion-core
@@ -4901,8 +4798,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Der berechnete Akkumulator-Checkpoint stimmt nicht mit dem vom Blockindex aufgezeichneten überein
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- Kann keine Sperre für das Datenverzeichnis %s erhalten. Ion Core läuft wahrscheinlich bereits.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Kann keine Sperre für das Datenverzeichnis %s erhalten. ION Core läuft wahrscheinlich bereits.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -5077,20 +4974,20 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Dieses Produkt beinhaltet Software, die vom OpenSSL Projekt für die Nutzung im OpenSSL Toolkit <https://www.openssl.org/> entwickelt wurde. Desweiteren kryptografische Software , die von Eric Young, und UPnP Software, die von Thomas Bernard, geschrieben wurde.
- Unable to bind to %s on this computer. Ion Core is probably already running.
- Fehler: Port %s ist bereits belegt! Läuft bereits eine andere Ion Core Wallet ?
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Fehler: Port %s ist bereits belegt! Läuft bereits eine andere ION Core Wallet ?
Unable to locate enough Obfuscation denominated funds for this transaction.
Nicht genügend gestückeltes, verschleiertes Guthaben für diese Transaktion gefunden.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Nicht genügend verschleiertes, nicht gestückeltes Guthaben für diese Transaktion gefunden, die nicht gleich 10000 ION entsprechen.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Nicht genügend verschleiertes, nicht gestückeltes Guthaben für diese Transaktion gefunden, die nicht gleich 20000 ION entsprechen.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Nicht genügend Guthaben für diese Transaktion gefunden, die nicht gleich 10000 ION entsprechen.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Nicht genügend Guthaben für diese Transaktion gefunden, die nicht gleich 20000 ION entsprechen.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5105,8 +5002,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Warnung: -paytxfee ist sehr hoch eingestellt! Diese Transaktionsgebühr werden Ihnen abgebucht, falls Sie die Transaktion überweisen.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- Warnung: Bitte stellen Sie sicher, das vom Computer verwendete Zeit und Datumangaben korrekt sind! Wenn ihr System falsche Zeitangaben nutzt, wird Ion Core nicht korrekt funktionieren.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Warnung: Bitte stellen Sie sicher, das vom Computer verwendete Zeit und Datumangaben korrekt sind! Wenn ihr System falsche Zeitangaben nutzt, wird ION Core nicht korrekt funktionieren.
Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
@@ -5261,8 +5158,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Copyright (C) 2015-%i The PIVX Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
Corrupted block database detected
@@ -5349,8 +5246,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Fehler beim Laden von wallet.dat : Wallet beschädigt
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Fehler beim Laden der wallet.dat: Neuere Ion Core Version benötigt
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Fehler beim Laden der wallet.dat: Neuere ION Core Version benötigt
Error opening block database
@@ -5364,6 +5261,10 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Error recovering public key.
Fehler bei der Wiederherstellung des öffentlichen Schlüssels.
+
+ Error writing zerocoinDB to disk
+ Fehler beim Schreiben von zerocoinDB auf die Festplatte
+
Error
Fehler
@@ -5400,6 +5301,10 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Failed to listen on any port. Use -listen=0 if you want this.
Abhören jeglicher Ports fehlgeschlagen. Nutzen Sie -listen=0 falls dies erwünscht ist.
+
+ Failed to parse host:port string
+ Fehler beim Analysieren von host: port string
+
Failed to read block
Block konnte nicht gelesen werden
@@ -5465,8 +5370,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Hinweis
- Initialization sanity check failed. Ion Core is shutting down.
- Initialisierung Sanity-Check fehlgeschlagen. Ion Core schaltet ab.
+ Initialization sanity check failed. ION Core is shutting down.
+ Initialisierung Sanity-Check fehlgeschlagen. ION Core schaltet ab.
Input is not valid.
@@ -5676,10 +5581,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Failed to create mint
Fehler beim Erstellen von Minze
-
- Failed to deserialize
- Fehler beim Deserialisieren
-
Failed to find Zerocoins in wallet.dat
Zerocoins in wallet.dat nicht gefunden
@@ -5749,8 +5650,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Lade Sporks...
- Loading wallet... (%3.1f %%)
- Lade Wallet... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Lade Wallet... (%3.2f %%)
Loading wallet...
@@ -6120,14 +6021,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
The coin spend has been used
Die Münzausgabe wurde verwendet
-
- The new spend coin transaction did not verify
- Die neue Münzausgabe wurde nicht überprüft
-
-
- The selected mint coin is an invalid coin
- Die ausgewählte Münze ist eine ungültige Münze
-
The transaction did not verify
Die Transaktion wurde nicht verifiziert
@@ -6276,10 +6169,6 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Verifying wallet...
Verifiziere Wallet...
-
- Version 1 xION require a security level of 100 to successfully spend.
- Version 1 xION benötigen eine Sicherheitsstufe von 100 um erfolgreich ausgegeben werden zu können.
-
Wallet %s resides outside data directory %s
Wallet %s liegt außerhalb des Datenverzeichnisses %s
@@ -6289,8 +6178,8 @@ Präge entweder höhere Stückelungen (damit weniger Eingaben benötigt werdenn)
Wallet gesperrt.
- Wallet needed to be rewritten: restart Ion Core to complete
- Wallet musste neu geschrieben werden: Bitte Ion Core neu starten
+ Wallet needed to be rewritten: restart ION Core to complete
+ Wallet musste neu geschrieben werden: Bitte ION Core neu starten
Wallet options:
diff --git a/src/qt/locale/ion_en.ts b/src/qt/locale/ion_en.ts
index b1b383fd23b09..a53c43c50f96d 100644
--- a/src/qt/locale/ion_en.ts
+++ b/src/qt/locale/ion_en.ts
@@ -516,7 +516,7 @@
BitcoinGUI
-
+
Wallet
Wallet
@@ -561,7 +561,17 @@
-
+
+ &Governance
+
+
+
+
+ Show Proposals
+
+
+
+
E&xit
E&xit
@@ -776,7 +786,7 @@
&Command-line options
-
+
Processed %n blocks of transaction history.
Processed %n block of transaction history.
@@ -794,7 +804,7 @@
-
+
Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymization and staking only
@@ -804,7 +814,7 @@
-
+
&File
&File
@@ -829,13 +839,13 @@
Tabs toolbar
-
-
- Ion Core
+
+
+ ION Core
-
+
Send coins to a ION address
@@ -860,13 +870,13 @@
-
- &About Ion Core
+
+ &About ION Core
- Show information about Ion Core
+ Show information about ION Core
@@ -936,16 +946,16 @@
- Show the Ion Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
-
- Ion Core client
+
+ ION Core client
-
+
%n active connection(s) to ION network
@@ -1074,20 +1084,20 @@ Address: %4
-
+
Staking is active
MultiSend: %1
-
+
Active
-
-
+
+
Not Active
@@ -1098,17 +1108,17 @@ Address: %4
-
+
AutoMint is currently enabled and set to
-
+
AutoMint is disabled
-
+
Wallet is <b>encrypted</b> and currently <b>unlocked</b>
Wallet is <b>encrypted</b> and currently <b>unlocked</b>
@@ -1117,6 +1127,11 @@ Address: %4
Wallet is <b>encrypted</b> and currently <b>locked</b>
Wallet is <b>encrypted</b> and currently <b>locked</b>
+
+
+ A fatal error occurred. ION can no longer continue safely and will quit.
+
+
BlockExplorer
@@ -1568,6 +1583,64 @@ Address: %4
Cannot create data directory here.
+
+ GovernancePage
+
+
+ Form
+ Form
+
+
+
+ GOVERNANCE
+
+
+
+
+ Update Proposals
+
+
+
+
+ Next super block:
+
+
+
+
+
+
+
+
+
+ 0
+
+
+
+
+ Blocks to next super block:
+
+
+
+
+ Days to budget payout (estimate):
+
+
+
+
+ Allotted budget:
+
+
+
+
+ Budget left:
+
+
+
+
+ Masternodes count:
+
+
+
HelpMessageDialog
@@ -1577,7 +1650,7 @@ Address: %4
- Ion Core
+ ION Core
@@ -1588,7 +1661,7 @@ Address: %4
- About Ion Core
+ About ION Core
@@ -1646,17 +1719,17 @@ Address: %4
- Welcome to Ion Core.
+ Welcome to ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
@@ -1671,7 +1744,7 @@ Address: %4
- Ion Core
+ ION Core
@@ -2292,12 +2365,12 @@ Please be patient after clicking import.
- Use 2 separate masternodes to mix funds up to 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
@@ -2307,12 +2380,12 @@ Please be patient after clicking import.
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
@@ -2322,7 +2395,7 @@ Please be patient after clicking import.
- 0.1 ION per 10000 ION you anonymize.
+ 0.1 ION per 20000 ION you anonymize.
@@ -2409,7 +2482,7 @@ Please be patient after clicking import.
(0 = auto, <0 = leave that many cores free)
-
+
W&allet
W&allet
@@ -2444,7 +2517,7 @@ Please be patient after clicking import.
Expert
-
+
Automatically start ION after logging in to the system.
@@ -2454,7 +2527,7 @@ Please be patient after clicking import.
-
+
Whether to show coin control features or not.
Whether to show coin control features or not.
@@ -2500,7 +2573,7 @@ https://www.transifex.com/ioncoincore/ioncore
Map port using &UPnP
-
+
Enable automatic minting of ION units to xION
@@ -2510,7 +2583,17 @@ https://www.transifex.com/ioncoincore/ioncore
-
+
+ Enable automatic xION minting from specific addresses
+
+
+
+
+ Enable Automint Addresses
+
+
+
+
Percentage of incoming ION which get automatically converted to xION via Zerocoin Protocol (min: 10%)
@@ -2683,7 +2766,7 @@ https://www.transifex.com/ioncoincore/ioncore
none
-
+
Confirm options reset
Confirm options reset
@@ -2920,7 +3003,7 @@ To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1
PaymentServer
-
+
@@ -3071,7 +3154,7 @@ To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1
-
+
Mint Zerocoin
@@ -3085,12 +3168,12 @@ To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1
-
+
xION
-
+
Available for minting are coins which are confirmed and not locked or Masternode collaterals.
@@ -3101,7 +3184,7 @@ To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1
- 0.000 000 00 ION
+ 0.000 000 00 ION
@@ -3172,18 +3255,16 @@ To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1
-
+
Spend Zerocoin. Without 'Pay To:' address creates payments to yourself.
-
+
-
-
-
+
Spend Zerocoin
@@ -3209,7 +3290,7 @@ xION are mature when they have more than 20 confirmations AND more than 2 mints
-
+
@@ -3223,22 +3304,7 @@ xION are mature when they have more than 20 confirmations AND more than 2 mints
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
-
-
-
-
- Security Level:
-
-
-
-
- Security Level 1 - 100 (default: 42)
-
-
-
-
+
Pay &To:
Pay &To:
@@ -3308,16 +3374,16 @@ xION are mature when they have more than 20 confirmations AND more than 2 mints
-
+
-
+
Total Balance including unconfirmed and immature xION
-
-
+
+
Total Zerocoin Balance:
@@ -3364,8 +3430,8 @@ To change the percentage (no restart required):
-
-
+
+
Global Supply:
@@ -3422,7 +3488,7 @@ To change the percentage (no restart required):
-
+
Show xION denominations list
@@ -3432,7 +3498,7 @@ To change the percentage (no restart required):
-
+
Denominations with value 5:
@@ -3543,9 +3609,9 @@ To change the percentage (no restart required):
-
+
-
+
Coins automatically selected
@@ -3581,18 +3647,18 @@ To change the percentage (no restart required):
Change:
-
+
out of sync
out of sync
-
+
Mint Status: Okay
-
+
Copy quantity
Copy quantity
@@ -3602,20 +3668,13 @@ To change the percentage (no restart required):
-
+
Starting ResetMintZerocoin: rescanning complete blockchain, this will need up to 30 minutes depending on your hardware.
Please be patient...
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
-
-
-
-
+
) needed.
Maximum allowed:
@@ -3652,13 +3711,13 @@ Maximum allowed:
-
+
xION is currently undergoing maintenance.
-
+
Denom. with value <b>1</b>:
@@ -3699,12 +3758,12 @@ Maximum allowed:
-
+
AutoMint Status:
-
+
Denom. <b>1</b>:
@@ -3744,7 +3803,7 @@ Maximum allowed:
-
+
Error: Your wallet is locked. Please enter the wallet passphrase first.
@@ -3777,20 +3836,20 @@ Maximum allowed:
-
+
Duration:
-
+
-
+
sec.
-
+
Starting ResetSpentZerocoin:
@@ -3815,7 +3874,7 @@ Maximum allowed:
-
+
Are you sure you want to send?<br /><br />
@@ -3830,34 +3889,17 @@ Maximum allowed:
-
- with Security Level
-
-
-
-
+
Confirm send coins
Confirm send coins
-
-
- Version 1 xION require a security level of 100 to successfully spend.
-
-
-
-
-
- Failed to spend xION
-
-
-
-
+
Failed to fetch mint associated with serial hash
-
+
Too much inputs (
@@ -3888,7 +3930,14 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
+ Spending Zerocoin.
+Computationally expensive, might need several minutes depending on your hardware.
+Please be patient...
+
+
+
+
serial:
@@ -3923,6 +3972,90 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
+
+ ProposalFrame
+
+
+ Open proposal page in browser
+
+
+
+
+ remaining payment(s).
+
+
+
+
+ Yes:
+
+
+
+
+ Abstain:
+
+
+
+
+ No:
+
+
+
+
+ A proposal URL can be used for phishing, scams and computer viruses. Open this link only if you trust the following URL.
+
+
+
+
+
+ Open link
+
+
+
+
+ Copy link
+
+
+
+
+ Wallet Locked
+
+
+
+
+ You must unlock your wallet to vote.
+
+
+
+
+ Do you want to vote %1 on
+
+
+
+
+ using all your masternodes?
+
+
+
+
+ Proposal Hash:
+
+
+
+
+ Proposal URL:
+
+
+
+
+ Confirm Vote
+
+
+
+
+ Vote Results
+
+
+
QObject
@@ -3952,12 +4085,12 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
%1 s
%1 s
-
+
NETWORK
NETWORK
@@ -3966,6 +4099,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
BLOOM
+
+
+ ZK_BLOOM
+
+
UNKNOWN
@@ -3986,6 +4124,39 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
%1 ms
%1 ms
+
+
+
+
+
+ ION Core
+
+
+
+
+ Error: Specified data directory "%1" does not exist.
+
+
+
+
+ Error: Cannot parse configuration file: %1. Only use key=value syntax.
+
+
+
+
+ Error: Invalid combination of -regtest and -testnet.
+
+
+
+
+ Error reading masternode configuration file: %1
+
+
+
+
+ ION Core didn't yet exit safely...
+
+
QRImageWidget
@@ -5334,7 +5505,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
ShutdownWindow
- Ion Core is shutting down...
+ ION Core is shutting down...
@@ -5529,7 +5700,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
SplashScreen
- Ion Core
+ ION Core
@@ -5549,7 +5720,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- The Ion Core developers
+ The ION Core developers
@@ -6314,7 +6485,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
WalletView
-
+
HISTORY
@@ -6334,7 +6505,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Selected amount:
-
+
Backup Wallet
Backup Wallet
@@ -6373,8 +6544,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
- Is Spendable
+
+ Spendable?
@@ -6412,7 +6583,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
@@ -6447,6 +6618,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
+ Enable automatic Zerocoin minting from specific addresses (0-1, default: %u)
+
+
+
+
Enable automatic wallet backups triggered after each xION minting (0-1, default: %u)
@@ -6555,6 +6731,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)
Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)
+
+
+ Maximum average size of an index occurrence in the block spam filter (default: %u)
+
+
Maximum size of data in data carrier transactions we relay and mine (default: %u)
@@ -6562,6 +6743,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
+ Maximum size of the list of indexes in the block spam filter (default: %u)
+
+
+
+
Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s)
Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s)
@@ -6607,6 +6793,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
+ Set the number of included blocks to precompute per cycle. (minimum: %d) (maximum: %d) (default: %d)
+
+
+
+
Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d)
Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d)
@@ -6625,6 +6816,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Support filtering of blocks and transaction with bloom filters (default: %u)
+
+
+ The block database contains a block which appears to be from the future. This may be due to your computer's date and time being set incorrectly. Only rebuild the block database if you are sure that your computer's date and time are correct
+
+
This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard.
@@ -6637,7 +6833,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Unable to bind to %s on this computer. Ion Core is probably already running.
+ Unable to bind to %s on this computer. ION Core is probably already running.
@@ -6647,12 +6843,12 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
@@ -6672,7 +6868,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
@@ -6750,6 +6946,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
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
+
+
+ Adding Wrapped Serials supply...
+
+
Allow DNS lookups for -addnode, -seednode and -connect
@@ -6832,6 +7033,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
+ CoinSpend: failed check
+
+
+
+
Collateral not valid.
Collateral not valid.
@@ -6872,7 +7078,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Copyright (C) 2018-%i The Ion Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
@@ -6885,6 +7091,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Could not parse masternode.conf
Could not parse masternode.conf
+
+
+ Couldn't generate the accumulator witness
+
+
Debugging/Testing options:
@@ -6930,6 +7141,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Enable automatic Zerocoin minting (0-1, default: %u)
+
+
+ Enable precomputation of xION spends and stakes (0-1, default %u)
+
+
Enable publish hash transaction (locked via SwiftX) in <address>
@@ -6982,7 +7198,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Error loading wallet.dat: Wallet requires newer version of Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
@@ -7046,7 +7262,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
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.
@@ -7137,7 +7353,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Initialization sanity check failed. Ion Core is shutting down.
+ Initialization sanity check failed. ION Core is shutting down.
@@ -7226,7 +7442,22 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
+ Recalculating ION supply...
+
+
+
+
+ Recalculating minted XION...
+
+
+
+
+ Recalculating spent XION...
+
+
+
+
Reindex the ION and xION money supply statistics
@@ -7247,16 +7478,21 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
+ Support the zerocoin light node protocol (default: %u)
+
+
+
+
SwiftX options:
-
+
This is a pre-release test build - use at your own risk - do not use for staking or merchant applications!
-
+
mints deleted
@@ -7283,7 +7519,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
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.
@@ -7313,12 +7549,12 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
Preferred Denomination for automatically minted Zerocoin (1/5/10/50/100/500/1000/5000), 0 for no preference. default: %u)
-
+
Specify custom backup path to add a copy of any automatic xION backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup. If backuppath is set as well, 4 backups will happen
@@ -7333,12 +7569,12 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
<category> can be:
-
+
Attempt to force blockchain corruption recovery
@@ -7348,7 +7584,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
Display the stake modifier calculations in the debug.log file.
@@ -7358,7 +7594,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
Enable publish hash block in <address>
@@ -7397,11 +7633,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Failed to create mint
-
-
- Failed to deserialize
-
-
Failed to find Zerocoins in wallet.dat
@@ -7489,8 +7720,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Loading wallet... (%3.1f %%)
- Loading wallet... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Loading wallet... (%3.2f %%)
@@ -7663,12 +7894,22 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Password for JSON-RPC connections
-
+
+ Use block spam filter (default: %u)
+
+
+
+
+ could not get lock on cs_spendcache
+
+
+
+
isValid(): Invalid -proxy address or hostname: '%s'
-
+
Preparing for resync...
@@ -7703,7 +7944,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Rebuild block chain index from current blk000??.dat files
-
+
Receive and display P2P network alerts (default: %u)
Receive and display P2P network alerts (default: %u)
@@ -7908,7 +8149,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Submitted to masternode, waiting in queue %s
-
+
Synchronization failed
Synchronization failed
@@ -7952,16 +8193,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
The coin spend has been used
-
-
- The new spend coin transaction did not verify
-
-
-
-
- The selected mint coin is an invalid coin
-
-
The transaction did not verify
@@ -8057,11 +8288,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Transmitting final transaction.
Transmitting final transaction.
-
-
- Try to spend with a higher security level to include more coins
-
-
Trying to spend an already spent serial #, try again.
@@ -8118,7 +8344,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
Use the test network
Use the test network
@@ -8152,11 +8378,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Verifying wallet...
Verifying wallet...
-
-
- Version 1 xION require a security level of 100 to successfully spend.
-
-
Wallet %s resides outside data directory %s
@@ -8169,7 +8390,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
- Wallet needed to be rewritten: restart Ion Core to complete
+ Wallet needed to be rewritten: restart ION Core to complete
@@ -8243,7 +8464,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
-
+
on startup
on startup
diff --git a/src/qt/locale/ion_en_GB.ts b/src/qt/locale/ion_en_GB.ts
new file mode 100644
index 0000000000000..6785b2ce90a4f
--- /dev/null
+++ b/src/qt/locale/ion_en_GB.ts
@@ -0,0 +1,6446 @@
+
+
+ AddressBookPage
+
+ Right-click to edit address or label
+ Right-click to edit address or label
+
+
+ Create a new address
+ Create a new address
+
+
+ &New
+ &New
+
+
+ Copy the currently selected address to the system clipboard
+ Copy the currently selected address to the system clipboard
+
+
+ &Copy
+ &Copy
+
+
+ Delete the currently selected address from the list
+ Delete the currently selected address from the list
+
+
+ &Delete
+ &Delete
+
+
+ Export the data in the current tab to a file
+ Export the data in the current tab to a file
+
+
+ &Export
+ &Export
+
+
+ C&lose
+ C&lose
+
+
+ Choose the address to send coins to
+ Choose the address to send coins to
+
+
+ Choose the address to receive coins with
+ Choose the address to receive coins with
+
+
+ C&hoose
+ C&hoose
+
+
+ Sending addresses
+ Sending addresses
+
+
+ Receiving addresses
+ Receiving addresses
+
+
+ These are your ION addresses for sending payments. Always check the amount and the receiving address before sending coins.
+ These are your ION addresses for sending payments. Always check the amount and the receiving address before sending coins.
+
+
+ These are your ION addresses for receiving payments. It is recommended to use a new receiving address for each transaction.
+ These are your ION addresses for receiving payments. It is recommended to use a new receiving address for each transaction.
+
+
+ &Copy Address
+ &Copy Address
+
+
+ Copy &Label
+ Copy &Label
+
+
+ &Edit
+ &Edit
+
+
+ Export Address List
+ Export Address List
+
+
+ Comma separated file (*.csv)
+ Comma separated file (*.csv)
+
+
+ Exporting Failed
+ Exporting Failed
+
+
+ There was an error trying to save the address list to %1. Please try again.
+ There was an error trying to save the address list to %1. Please try again.
+
+
+
+ AddressTableModel
+
+ Label
+ Label
+
+
+ Address
+ Address
+
+
+ (no label)
+ (no label)
+
+
+
+ AskPassphraseDialog
+
+ Passphrase Dialog
+ Passphrase Dialog
+
+
+ Enter passphrase
+ Enter passphrase
+
+
+ New passphrase
+ New passphrase
+
+
+ Repeat new passphrase
+ Repeat new passphrase
+
+
+ Serves to disable the trivial sendmoney when OS account compromised. Provides no real security.
+ Serves to disable the trivial sendmoney when OS account compromised. Provides no real security.
+
+
+ For anonymization, automint, and staking only
+ For anonymisation, automint, and staking only
+
+
+ Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>.
+ Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>.
+
+
+ Encrypt wallet
+ Encrypt wallet
+
+
+ This operation needs your wallet passphrase to unlock the wallet.
+ This operation needs your wallet passphrase to unlock the wallet.
+
+
+ Unlock wallet
+ Unlock wallet
+
+
+ This operation needs your wallet passphrase to decrypt the wallet.
+ This operation needs your wallet passphrase to decrypt the wallet.
+
+
+ Decrypt wallet
+ Decrypt wallet
+
+
+ Change passphrase
+ Change passphrase
+
+
+ Enter the old and new passphrase to the wallet.
+ Enter the old and new passphrase to the wallet.
+
+
+ Confirm wallet encryption
+ Confirm wallet encryption
+
+
+ ION will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your IONs from being stolen by malware infecting your computer.
+ ION will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your IONs from being stolen by malware infecting your computer.
+
+
+ Are you sure you wish to encrypt your wallet?
+ Are you sure you wish to encrypt your wallet?
+
+
+ Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR ION</b>!
+ Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR ION</b>!
+
+
+ Wallet encrypted
+ Wallet encrypted
+
+
+ IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.
+ IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.
+
+
+ Wallet encryption failed
+ Wallet encryption failed
+
+
+ Wallet encryption failed due to an internal error. Your wallet was not encrypted.
+ Wallet encryption failed due to an internal error. Your wallet was not encrypted.
+
+
+ The supplied passphrases do not match.
+ The supplied passphrases do not match.
+
+
+ Wallet unlock failed
+ Wallet unlock failed
+
+
+ The passphrase entered for the wallet decryption was incorrect.
+ The passphrase entered for the wallet decryption was incorrect.
+
+
+ Wallet decryption failed
+ Wallet decryption failed
+
+
+ Wallet passphrase was successfully changed.
+ Wallet passphrase was successfully changed.
+
+
+ Warning: The Caps Lock key is on!
+ Warning: The Caps Lock key is on!
+
+
+
+ BanTableModel
+
+ IP/Netmask
+ IP/Netmask
+
+
+ Banned Until
+ Banned Until
+
+
+
+ Bip38ToolDialog
+
+ BIP 38 Tool
+ BIP 38 Tool
+
+
+ &BIP 38 Encrypt
+ &BIP 38 Encrypt
+
+
+ Address:
+ Address:
+
+
+ Enter a ION Address that you would like to encrypt using BIP 38. Enter a passphrase in the middle box. Press encrypt to compute the encrypted private key.
+ Enter a ION Address that you would like to encrypt using BIP 38. Enter a passphrase in the middle box. Press encrypt to compute the encrypted private key.
+
+
+ The ION address to encrypt
+ The ION address to encrypt
+
+
+ Choose previously used address
+ Choose previously used address
+
+
+ Alt+A
+ Alt+A
+
+
+ Paste address from clipboard
+ Paste address from clipboard
+
+
+ Alt+P
+ Alt+P
+
+
+ Passphrase:
+ Passphrase:
+
+
+ Encrypted Key:
+ Encrypted Key:
+
+
+ Copy the current signature to the system clipboard
+ Copy the current signature to the system clipboard
+
+
+ Encrypt the private key for this ION address
+ Encrypt the private key for this ION address
+
+
+ Reset all fields
+ Reset all fields
+
+
+ The encrypted private key
+ The encrypted private key
+
+
+ Decrypt the entered key using the passphrase
+ Decrypt the entered key using the passphrase
+
+
+ Encrypt &Key
+ Encrypt &Key
+
+
+ Clear &All
+ Clear &All
+
+
+ &BIP 38 Decrypt
+ &BIP 38 Decrypt
+
+
+ Enter the BIP 38 encrypted private key. Enter the passphrase in the middle box. Click Decrypt Key to compute the private key. After the key is decrypted, clicking 'Import Address' will add this private key to the wallet.
+ Enter the BIP 38 encrypted private key. Enter the passphrase in the middle box. Click Decrypt Key to compute the private key. After the key is decrypted, clicking 'Import Address' will add this private key to the wallet.
+
+
+ Decrypt &Key
+ Decrypt &Key
+
+
+ Decrypted Key:
+ Decrypted Key:
+
+
+ Import Address
+ Import Address
+
+
+ Click "Decrypt Key" to compute key
+ Click "Decrypt Key" to compute key
+
+
+ The entered passphrase is invalid.
+ The entered passphrase is invalid.
+
+
+ Allowed: 0-9,a-z,A-Z,
+ Allowed: 0-9,a-z,A-Z,
+
+
+ The entered address is invalid.
+ The entered address is invalid.
+
+
+ Please check the address and try again.
+ Please check the address and try again.
+
+
+ The entered address does not refer to a key.
+ The entered address does not refer to a key.
+
+
+ Wallet unlock was cancelled.
+ Wallet unlock was cancelled.
+
+
+ Private key for the entered address is not available.
+ Private key for the entered address is not available.
+
+
+ Failed to decrypt.
+ Failed to decrypt.
+
+
+ Please check the key and passphrase and try again.
+ Please check the key and passphrase and try again.
+
+
+ Data Not Valid.
+ Data Not Valid.
+
+
+ Please try again.
+ Please try again.
+
+
+ Please wait while key is imported
+ Please wait while key is imported
+
+
+ Key Already Held By Wallet
+ Key Already Held By Wallet
+
+
+ Error Adding Key To Wallet
+ Error Adding Key To Wallet
+
+
+ Successfully Added Private Key To Wallet
+ Successfully Added Private Key To Wallet
+
+
+
+ BitcoinGUI
+
+ Wallet
+ Wallet
+
+
+ Node
+ Node
+
+
+ &Overview
+ &Overview
+
+
+ Show general overview of wallet
+ Show general overview of wallet
+
+
+ &Send
+ &Send
+
+
+ &Receive
+ &Receive
+
+
+ &Transactions
+ &Transactions
+
+
+ Browse transaction history
+ Browse transaction history
+
+
+ Privacy Actions for xION
+ Privacy Actions for xION
+
+
+ E&xit
+ E&xit
+
+
+ Quit application
+ Quit application
+
+
+ About &Qt
+ About &Qt
+
+
+ Show information about Qt
+ Show information about Qt
+
+
+ &Options...
+ &Options...
+
+
+ &Show / Hide
+ &Show / Hide
+
+
+ Show or hide the main Window
+ Show or hide the main Window
+
+
+ &Encrypt Wallet...
+ &Encrypt Wallet...
+
+
+ Encrypt the private keys that belong to your wallet
+ Encrypt the private keys that belong to your wallet
+
+
+ &Backup Wallet...
+ &Backup Wallet...
+
+
+ Backup wallet to another location
+ Backup wallet to another location
+
+
+ &Change Passphrase...
+ &Change Passphrase...
+
+
+ Change the passphrase used for wallet encryption
+ Change the passphrase used for wallet encryption
+
+
+ &Unlock Wallet...
+ &Unlock Wallet...
+
+
+ Unlock wallet
+ Unlock wallet
+
+
+ &Lock Wallet
+ &Lock Wallet
+
+
+ Sign &message...
+ Sign &message...
+
+
+ &Verify message...
+ &Verify message...
+
+
+ &Information
+ &Information
+
+
+ Show diagnostic information
+ Show diagnostic information
+
+
+ &Debug console
+ &Debug console
+
+
+ Open debugging console
+ Open debugging console
+
+
+ &Network Monitor
+ &Network Monitor
+
+
+ Show network monitor
+ Show network monitor
+
+
+ &Peers list
+ &Peers list
+
+
+ Show peers info
+ Show peers info
+
+
+ Wallet &Repair
+ Wallet &Repair
+
+
+ Show wallet repair options
+ Show wallet repair options
+
+
+ Open configuration file
+ Open configuration file
+
+
+ Show Automatic &Backups
+ Show Automatic &Backups
+
+
+ Show automatically created wallet backups
+ Show automatically created wallet backups
+
+
+ &Sending addresses...
+ &Sending addresses...
+
+
+ Show the list of used sending addresses and labels
+ Show the list of used sending addresses and labels
+
+
+ &Receiving addresses...
+ &Receiving addresses...
+
+
+ Show the list of used receiving addresses and labels
+ Show the list of used receiving addresses and labels
+
+
+ &Multisignature creation...
+ &Multisignature creation...
+
+
+ Create a new multisignature address and add it to this wallet
+ Create a new multisignature address and add it to this wallet
+
+
+ &Multisignature spending...
+ &Multisignature spending...
+
+
+ Spend from a multisignature address
+ Spend from a multisignature address
+
+
+ &Multisignature signing...
+ &Multisignature signing...
+
+
+ Sign with a multisignature address
+ Sign with a multisignature address
+
+
+ Open &URI...
+ Open &URI...
+
+
+ &Command-line options
+ &Command-line options
+
+
+ Processed %n blocks of transaction history.
+ Processed %n block of transaction history.Processed %n blocks of transaction history.
+
+
+ Synchronizing additional data: %p%
+ Synchronising additional data: %p%
+
+
+ %1 behind. Scanning block %2
+ %1 behind. Scanning block %2
+
+
+ Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymization and staking only
+ Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymisation and staking only
+
+
+ Tor is <b>enabled</b>: %1
+ Tor is <b>enabled</b>: %1
+
+
+ &File
+ &File
+
+
+ &Settings
+ &Settings
+
+
+ &Tools
+ &Tools
+
+
+ &Help
+ &Help
+
+
+ Tabs toolbar
+ Tabs toolbar
+
+
+ ION Core
+ ION Core
+
+
+ Send coins to a ION address
+ Send coins to a ION address
+
+
+ Request payments (generates QR codes and ion: URIs)
+ Request payments (generates QR codes and ion: URIs)
+
+
+ &Privacy
+ &Privacy
+
+
+ &Masternodes
+ &Masternodes
+
+
+ Browse masternodes
+ Browse masternodes
+
+
+ &About ION Core
+ &About ION Core
+
+
+ Show information about ION Core
+ Show information about ION Core
+
+
+ Modify configuration options for ION
+ Modify configuration options for ION
+
+
+ Sign messages with your ION addresses to prove you own them
+ Sign messages with your ION addresses to prove you own them
+
+
+ Verify messages to ensure they were signed with specified ION addresses
+ Verify messages to ensure they were signed with specified ION addresses
+
+
+ &BIP38 tool
+ &BIP38 tool
+
+
+ Encrypt and decrypt private keys using a passphrase
+ Encrypt and decrypt private keys using a passphrase
+
+
+ &MultiSend
+ &MultiSend
+
+
+ MultiSend Settings
+ MultiSend Settings
+
+
+ Open Wallet &Configuration File
+ Open Wallet &Configuration File
+
+
+ Open &Masternode Configuration File
+ Open &Masternode Configuration File
+
+
+ Open Masternode configuration file
+ Open Masternode configuration file
+
+
+ Open a ION: URI or payment request
+ Open a ION: URI or payment request
+
+
+ &Blockchain explorer
+ &Blockchain explorer
+
+
+ Block explorer window
+ Block explorer window
+
+
+ Show the ION Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
+
+
+ ION Core client
+ ION Core client
+
+
+ %n active connection(s) to ION network
+ %n active connection(s) to ION network%n active connection(s) to ION network
+
+
+ Synchronizing with network...
+ Synchronising with network...
+
+
+ Importing blocks from disk...
+ Importing blocks from disk...
+
+
+ Reindexing blocks on disk...
+ Reindexing blocks on disk...
+
+
+ No block source available...
+ No block source available...
+
+
+ Up to date
+ Up to date
+
+
+ %n hour(s)
+ %n hour%n hours
+
+
+ %n day(s)
+ %n day%n days
+
+
+ %n week(s)
+ %n week%n weeks
+
+
+ %1 and %2
+ %1 and %2
+
+
+ %n year(s)
+ %n year%n years
+
+
+ Catching up...
+ Catching up...
+
+
+ Last received block was generated %1 ago.
+ Last received block was generated %1 ago.
+
+
+ Transactions after this will not yet be visible.
+ Transactions after this will not yet be visible.
+
+
+ Error
+ Error
+
+
+ Warning
+ Warning
+
+
+ Information
+ Information
+
+
+ Sent transaction
+ Sent transaction
+
+
+ Incoming transaction
+ Incoming transaction
+
+
+ Sent MultiSend transaction
+ Sent MultiSend transaction
+
+
+ Date: %1
+Amount: %2
+Type: %3
+Address: %4
+
+ Date: %1
+Amount: %2
+Type: %3
+Address: %4
+
+
+
+ Staking is active
+ MultiSend: %1
+ Staking is active
+ MultiSend: %1
+
+
+ Active
+ Active
+
+
+ Not Active
+ Not Active
+
+
+ Staking is not active
+ MultiSend: %1
+ Staking is not active
+ MultiSend: %1
+
+
+ AutoMint is currently enabled and set to
+ AutoMint is currently enabled and set to
+
+
+ AutoMint is disabled
+ AutoMint is disabled
+
+
+ Wallet is <b>encrypted</b> and currently <b>unlocked</b>
+ Wallet is <b>encrypted</b> and currently <b>unlocked</b>
+
+
+ Wallet is <b>encrypted</b> and currently <b>locked</b>
+ Wallet is <b>encrypted</b> and currently <b>locked</b>
+
+
+
+ BlockExplorer
+
+ Blockchain Explorer
+ Blockchain Explorer
+
+
+ Back
+ Back
+
+
+ Forward
+ Forward
+
+
+ Address / Block / Transaction
+ Address / Block / Transaction
+
+
+ Search
+ Search
+
+
+ TextLabel
+ TextLabel
+
+
+ Not all transactions will be shown. To view all transactions you need to set txindex=1 in the configuration file (ioncoin.conf).
+ Not all transactions will be shown. To view all transactions you need to set txindex=1 in the configuration file (ioncoin.conf).
+
+
+
+ ClientModel
+
+ Total: %1 (IPv4: %2 / IPv6: %3 / Tor: %4 / Unknown: %5)
+ Total: %1 (IPv4: %2 / IPv6: %3 / Tor: %4 / Unknown: %5)
+
+
+ Network Alert
+ Network Alert
+
+
+
+ CoinControlDialog
+
+ Quantity:
+ Quantity:
+
+
+ Bytes:
+ Bytes:
+
+
+ Amount:
+ Amount:
+
+
+ Priority:
+ Priority:
+
+
+ Fee:
+ Fee:
+
+
+ Coin Selection
+ Coin Selection
+
+
+ Dust:
+ Dust:
+
+
+ After Fee:
+ After Fee:
+
+
+ Change:
+ Change:
+
+
+ (un)select all
+ (un)select all
+
+
+ toggle lock state
+ toggle lock state
+
+
+ Tree mode
+ Tree mode
+
+
+ List mode
+ List mode
+
+
+ (1 locked)
+ (1 locked)
+
+
+ Amount
+ Amount
+
+
+ Received with label
+ Received with label
+
+
+ Received with address
+ Received with address
+
+
+ Type
+ Type
+
+
+ Date
+ Date
+
+
+ Confirmations
+ Confirmations
+
+
+ Confirmed
+ Confirmed
+
+
+ Priority
+ Priority
+
+
+ Copy address
+ Copy address
+
+
+ Copy label
+ Copy label
+
+
+ Copy amount
+ Copy amount
+
+
+ Copy transaction ID
+ Copy transaction ID
+
+
+ Lock unspent
+ Lock unspent
+
+
+ Unlock unspent
+ Unlock unspent
+
+
+ Copy quantity
+ Copy quantity
+
+
+ Copy fee
+ Copy fee
+
+
+ Copy after fee
+ Copy after fee
+
+
+ Copy bytes
+ Copy bytes
+
+
+ Copy priority
+ Copy priority
+
+
+ Copy dust
+ Copy dust
+
+
+ Copy change
+ Copy change
+
+
+ Please switch to "List mode" to use this function.
+ Please switch to "List mode" to use this function.
+
+
+ highest
+ highest
+
+
+ higher
+ higher
+
+
+ high
+ high
+
+
+ medium-high
+ medium-high
+
+
+ medium
+ medium
+
+
+ low-medium
+ low-medium
+
+
+ low
+ low
+
+
+ lower
+ lower
+
+
+ lowest
+ lowest
+
+
+ (%1 locked)
+ (%1 locked)
+
+
+ none
+ none
+
+
+ yes
+ yes
+
+
+ no
+ no
+
+
+ This label turns red, if the transaction size is greater than 1000 bytes.
+ This label turns red if the transaction size is greater than 1000 bytes.
+
+
+ This means a fee of at least %1 per kB is required.
+ This means a fee of at least %1 per kB is required.
+
+
+ Can vary +/- 1 byte per input.
+ Can vary +/- 1 byte per input.
+
+
+ Transactions with higher priority are more likely to get included into a block.
+ Transactions with higher priority are more likely to get included into a block.
+
+
+ This label turns red, if the priority is smaller than "medium".
+ This label turns red if the priority is smaller than "medium".
+
+
+ This label turns red, if any recipient receives an amount smaller than %1.
+ This label turns red if any recipient receives an amount smaller than %1.
+
+
+ Can vary +/- %1 uion per input.
+ Can vary +/- %1 uion per input.
+
+
+ (no label)
+ (no label)
+
+
+ change from %1 (%2)
+ change from %1 (%2)
+
+
+ (change)
+ (change)
+
+
+
+ EditAddressDialog
+
+ Edit Address
+ Edit Address
+
+
+ &Label
+ &Label
+
+
+ The label associated with this address list entry
+ The label associated with this address list entry
+
+
+ &Address
+ &Address
+
+
+ The address associated with this address list entry. This can only be modified for sending addresses.
+ The address associated with this address list entry. This can only be modified for sending addresses.
+
+
+ New receiving address
+ New receiving address
+
+
+ New sending address
+ New sending address
+
+
+ Edit receiving address
+ Edit receiving address
+
+
+ Edit sending address
+ Edit sending address
+
+
+ The entered address "%1" is not a valid ION address.
+ The entered address "%1" is not a valid ION address.
+
+
+ The entered address "%1" is already in the address book.
+ The entered address "%1" is already in the address book.
+
+
+ Could not unlock wallet.
+ Could not unlock wallet.
+
+
+ New key generation failed.
+ New key generation failed.
+
+
+
+ FreespaceChecker
+
+ A new data directory will be created.
+ A new data directory will be created.
+
+
+ name
+ name
+
+
+ Directory already exists. Add %1 if you intend to create a new directory here.
+ Directory already exists. Add %1 if you intend to create a new directory here.
+
+
+ Path already exists, and is not a directory.
+ Path already exists and is not a directory.
+
+
+ Cannot create data directory here.
+ Cannot create data directory here.
+
+
+
+ GovernancePage
+
+ Form
+ Form
+
+
+ 0
+ 0
+
+
+
+ HelpMessageDialog
+
+ version
+ version
+
+
+ ION Core
+ ION Core
+
+
+ (%1-bit)
+ (%1-bit)
+
+
+ About ION Core
+ About ION Core
+
+
+ Command-line options
+ Command-line options
+
+
+ Usage:
+ Usage:
+
+
+ command-line options
+ command-line options
+
+
+ UI Options:
+ UI Options:
+
+
+ Choose data directory on startup (default: %u)
+ Choose data directory on start up (default: %u)
+
+
+ Show splash screen on startup (default: %u)
+ Show splash screen on start up (default: %u)
+
+
+ Set language, for example "de_DE" (default: system locale)
+ Set language, for example "de_DE" (default: system locale)
+
+
+ Start minimized
+ Start minimised
+
+
+ Set SSL root certificates for payment request (default: -system-)
+ Set SSL root certificates for payment request (default: -system-)
+
+
+
+ Intro
+
+ Welcome
+ Welcome
+
+
+ Welcome to ION Core.
+ Welcome to ION Core.
+
+
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+
+
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+
+
+ Use the default data directory
+ Use the default data directory
+
+
+ Use a custom data directory:
+ Use a custom data directory:
+
+
+ ION Core
+ ION Core
+
+
+ Error: Specified data directory "%1" cannot be created.
+ Error: Specified data directory "%1" cannot be created.
+
+
+ Error
+ Error
+
+
+ %1 GB of free space available
+ %1 GB of free space available
+
+
+ (of %1 GB needed)
+ (of %1 GB needed)
+
+
+
+ MasternodeList
+
+ Form
+ Form
+
+
+ MASTERNODES
+ MASTERNODES
+
+
+ Note: Status of your masternodes in local wallet can potentially be slightly incorrect.<br />Always wait for wallet to sync additional data and then double check from another node<br />if your node should be running but you still see "MISSING" in "Status" field.
+ Note: Status of your masternodes in local wallet can potentially be slightly incorrect.<br />Always wait for wallet to sync additional data and then double check from another node<br />if your node should be running but you still see "MISSING" in "Status" field.
+
+
+ Alias
+ Alias
+
+
+ Address
+ Address
+
+
+ Protocol
+ Protocol
+
+
+ Status
+ Status
+
+
+ Active
+ Active
+
+
+ Last Seen (UTC)
+ Last Seen (UTC)
+
+
+ Pubkey
+ Pubkey
+
+
+ S&tart alias
+ S&tart alias
+
+
+ Start &all
+ Start &all
+
+
+ Start &MISSING
+ Start &MISSING
+
+
+ &Update status
+ &Update status
+
+
+ Status will be updated automatically in (sec):
+ Status will be updated automatically in (sec):
+
+
+ 0
+ 0
+
+
+ Start alias
+ Start alias
+
+
+ Confirm masternode start
+ Confirm masternode start
+
+
+ Are you sure you want to start masternode %1?
+ Are you sure you want to start masternode %1?
+
+
+ Confirm all masternodes start
+ Confirm all masternodes start
+
+
+ Are you sure you want to start ALL masternodes?
+ Are you sure you want to start ALL masternodes?
+
+
+ Command is not available right now
+ Command is not available right now
+
+
+ You can't use this command until masternode list is synced
+ You can't use this command until masternode list is synced
+
+
+ Confirm missing masternodes start
+ Confirm missing masternodes start
+
+
+ Are you sure you want to start MISSING masternodes?
+ Are you sure you want to start MISSING masternodes?
+
+
+
+ MultiSendDialog
+
+ MultiSend
+ MultiSend
+
+
+ Enter whole numbers 1 - 100
+ Enter whole numbers 1 - 100
+
+
+ Enter % to Give (1-100)
+ Enter % to Give (1-100)
+
+
+ Enter Address to Send to
+ Enter Address to Send to
+
+
+ MultiSend allows you to automatically send up to 100% of your stake or masternode reward to a list of other ION addresses after it matures.
+To Add: enter percentage to give and ION address to add to the MultiSend vector.
+To Delete: Enter address to delete and press delete.
+MultiSend will not be activated unless you have clicked Activate
+ MultiSend allows you to automatically send up to 100% of your stake or masternode reward to a list of other ION addresses after it matures.
+To Add: enter percentage to give and ION address to add to the MultiSend vector.
+To Delete: Enter address to delete and press delete.
+MultiSend will not be activated unless you have clicked Activate
+
+
+ Add to MultiSend Vector
+ Add to MultiSend Vector
+
+
+ Add
+ Add
+
+
+ Deactivate MultiSend
+ Deactivate MultiSend
+
+
+ Deactivate
+ Deactivate
+
+
+ Choose an address from the address book
+ Choose an address from the address book
+
+
+ Alt+A
+ Alt+A
+
+
+ Percentage of stake to send
+ Percentage of stake to send
+
+
+ Percentage:
+ Percentage:
+
+
+ Address to send portion of stake to
+ Address to send portion of stake to
+
+
+ Address:
+ Address:
+
+
+ Label:
+ Label:
+
+
+ Enter a label for this address to add it to your address book
+ Enter a label for this address to add it to your address book
+
+
+ Delete Address From MultiSend Vector
+ Delete Address From MultiSend Vector
+
+
+ Delete
+ Delete
+
+
+ Activate MultiSend
+ Activate MultiSend
+
+
+ Activate
+ Activate
+
+
+ View MultiSend Vector
+ View MultiSend Vector
+
+
+ View MultiSend
+ View MultiSend
+
+
+ Send For Stakes
+ Send For Stakes
+
+
+ Send For Masternode Rewards
+ Send For Masternode Rewards
+
+
+ (no label)
+ (no label)
+
+
+ MultiSend Active for Stakes and Masternode Rewards
+ MultiSend Active for Stakes and Masternode Rewards
+
+
+ MultiSend Active for Stakes
+ MultiSend Active for Stakes
+
+
+ MultiSend Active for Masternode Rewards
+ MultiSend Active for Masternode Rewards
+
+
+ MultiSend Not Active
+ MultiSend Not Active
+
+
+ The entered address: %1 is invalid.
+Please check the address and try again.
+ The entered address: %1 is invalid.
+Please check the address and try again.
+
+
+ The total amount of your MultiSend vector is over 100% of your stake reward
+ The total amount of your MultiSend vector is over 100% of your stake reward
+
+
+ Saved the MultiSend to memory, but failed saving properties to the database.
+ Saved the MultiSend to memory, but failed saving properties to the database.
+
+
+ MultiSend Vector
+ MultiSend Vector
+
+
+ Removed %1
+ Removed %1
+
+
+ Could not locate address
+ Could not locate address
+
+
+ Unable to activate MultiSend, check MultiSend vector
+ Unable to activate MultiSend, check MultiSend vector
+
+
+ Need to select to send on stake and/or masternode rewards
+ Need to select to send on stake and/or masternode rewards
+
+
+ MultiSend activated but writing settings to DB failed
+ MultiSend activated but writing settings to DB failed
+
+
+ MultiSend activated
+ MultiSend activated
+
+
+ First Address Not Valid
+ First Address Not Valid
+
+
+ MultiSend deactivated but writing settings to DB failed
+ MultiSend deactivated but writing settings to DB failed
+
+
+ MultiSend deactivated
+ MultiSend deactivated
+
+
+ Please Enter 1 - 100 for percent.
+ Please Enter 1 - 100 for percent.
+
+
+
+ MultisigDialog
+
+ Multisignature Address Interactions
+ Multisignature Address Interactions
+
+
+ Create MultiSignature &Address
+ Create MultiSignature &Address
+
+
+ How many people must sign to verify a transaction
+ How many people must sign to verify a transaction
+
+
+ Enter the minimum number of signatures required to sign transactions
+ Enter the minimum number of signatures required to sign transactions
+
+
+ Address Label:
+ Address Label:
+
+
+ Add another address that could sign to verify a transaction from the multisig address.
+ Add another address that could sign to verify a transaction from the multisig address.
+
+
+ &Add Address / Key
+ &Add Address / Key
+
+
+ Local addresses or public keys that can sign:
+ Local addresses or public keys that can sign:
+
+
+ Create a new multisig address
+ Create a new multisig address
+
+
+ C&reate
+ C&reate
+
+
+ Status:
+ Status:
+
+
+ Use below to quickly import an address by its redeem. Don't forget to add a label before clicking import!
+Keep in mind, the wallet will rescan the blockchain to find transactions containing the new address.
+Please be patient after clicking import.
+ Use below to quickly import an address by its redeem. Don't forget to add a label before clicking import!
+Keep in mind, the wallet will rescan the blockchain to find transactions containing the new address.
+Please be patient after clicking import.
+
+
+ &Import Redeem
+ &Import Redeem
+
+
+ &Create MultiSignature Tx
+ &Create MultiSignature Tx
+
+
+ Inputs:
+ Inputs:
+
+
+ Coin Control
+ Coin Control
+
+
+ Quantity Selected:
+ Quantity Selected:
+
+
+ 0
+ 0
+
+
+ Amount:
+ Amount:
+
+
+ Add an input to fund the outputs
+ Add an input to fund the outputs
+
+
+ Add a Raw Input
+ Add a Raw Input
+
+
+ Address / Amount:
+ Address / Amount:
+
+
+ Add destinations to send ION to
+ Add destinations to send ION to
+
+
+ Add &Destination
+ Add &Destination
+
+
+ Create a transaction object using the given inputs to the given outputs
+ Create a transaction object using the given inputs to the given outputs
+
+
+ Cr&eate
+ Cr&eate
+
+
+ &Sign MultiSignature Tx
+ &Sign MultiSignature Tx
+
+
+ Transaction Hex:
+ Transaction Hex:
+
+
+ Sign the transaction from this wallet or from provided private keys
+ Sign the transaction from this wallet or from provided private keys
+
+
+ S&ign
+ S&ign
+
+
+ <html><head/><body><p>DISABLED until transaction has been signed enough times.</p></body></html>
+ <html><head/><body><p>DISABLED until transaction has been signed enough times.</p></body></html>
+
+
+ Co&mmit
+ Co&mmit
+
+
+ Add private keys to sign the transaction with
+ Add private keys to sign the transaction with
+
+
+ Add Private &Key
+ Add Private &Key
+
+
+ Sign with only private keys (Not Recommened)
+ Sign with only private keys (Not Recommened)
+
+
+ Invalid Tx Hash.
+ Invalid Tx Hash.
+
+
+ Vout position must be positive.
+ Vout position must be positive.
+
+
+ Maximum possible addresses reached. (15)
+ Maximum possible addresses reached. (15)
+
+
+ Vout Position:
+ Vout Position:
+
+
+ Amount:
+ Amount:
+
+
+ Maximum (15)
+ Maximum (15)
+
+
+
+ ObfuscationConfig
+
+ Configure Obfuscation
+ Configure Obfuscation
+
+
+ Basic Privacy
+ Basic Privacy
+
+
+ High Privacy
+ High Privacy
+
+
+ Maximum Privacy
+ Maximum Privacy
+
+
+ Please select a privacy level.
+ Please select a privacy level.
+
+
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+
+
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+
+
+ Use 16 separate masternodes
+ Use 16 separate masternodes
+
+
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymise 20000 ION
+
+
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymise 20000 ION
+
+
+ This is the slowest and most secure option. Using maximum anonymity will cost
+ This is the slowest and most secure option. Using maximum anonymity will cost
+
+
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION per 20000 ION you anonymise.
+
+
+ Obfuscation Configuration
+ Obfuscation Configuration
+
+
+ Obfuscation was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening ION's configuration screen.
+ Obfuscation was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening ION's configuration screen.
+
+
+ Obfuscation was successfully set to high (%1 and 8 rounds). You can change this at any time by opening ION's configuration screen.
+ Obfuscation was successfully set to high (%1 and 8 rounds). You can change this at any time by opening ION's configuration screen.
+
+
+ Obfuscation was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening ION's configuration screen.
+ Obfuscation was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening ION's configuration screen.
+
+
+
+ OpenURIDialog
+
+ Open URI
+ Open URI
+
+
+ Open payment request from URI or file
+ Open payment request from URI or file
+
+
+ URI:
+ URI:
+
+
+ Select payment request file
+ Select payment request file
+
+
+ Select payment request file to open
+ Select payment request file to open
+
+
+
+ OptionsDialog
+
+ Options
+ Options
+
+
+ &Main
+ &Main
+
+
+ Size of &database cache
+ Size of &database cache
+
+
+ MB
+ MB
+
+
+ Number of script &verification threads
+ Number of script &verification threads
+
+
+ (0 = auto, <0 = leave that many cores free)
+ (0 = auto, <0 = leave that many cores free)
+
+
+ W&allet
+ W&allet
+
+
+ If you disable the spending of unconfirmed change, the change from a transaction<br/>cannot be used until that transaction has at least one confirmation.<br/>This also affects how your balance is computed.
+ If you disable the spending of unconfirmed change, the change from a transaction<br/>cannot be used until that transaction has at least one confirmation.<br/>This also affects how your balance is computed.
+
+
+ Automatically open the ION client port on the router. This only works when your router supports UPnP and it is enabled.
+ Automatically open the ION client port on the router. This only works when your router supports UPnP and it is enabled.
+
+
+ Accept connections from outside
+ Accept connections from outside
+
+
+ Allow incoming connections
+ Allow incoming connections
+
+
+ &Connect through SOCKS5 proxy (default proxy):
+ &Connect through SOCKS5 proxy (default proxy):
+
+
+ Expert
+ Expert
+
+
+ Automatically start ION after logging in to the system.
+ Automatically start ION after logging in to the system.
+
+
+ &Start ION on system login
+ &Start ION on system login
+
+
+ Whether to show coin control features or not.
+ Whether to show coin control features or not.
+
+
+ Enable coin &control features
+ Enable coin &control features
+
+
+ Show additional tab listing all your masternodes in first sub-tab<br/>and all masternodes on the network in second sub-tab.
+ Show additional tab listing all your masternodes in first sub-tab<br/>and all masternodes on the network in second sub-tab.
+
+
+ Show Masternodes Tab
+ Show Masternodes Tab
+
+
+ &Spend unconfirmed change
+ &Spend unconfirmed change
+
+
+ &Network
+ &Network
+
+
+ The user interface language can be set here. This setting will take effect after restarting ION.
+ The user interface language can be set here. This setting will take effect after restarting ION.
+
+
+ Language missing or translation incomplete? Help contributing translations here:
+https://www.transifex.com/ioncoincore/ioncore
+ Language missing or translation incomplete? Help contributing translations here:
+https://www.transifex.com/ioncoincore/ioncore
+
+
+ Map port using &UPnP
+ Map port using &UPnP
+
+
+ Enable automatic minting of ION units to xION
+ Enable automatic minting of ION units to xION
+
+
+ Enable xION Automint
+ Enable xION Automint
+
+
+ Percentage of incoming ION which get automatically converted to xION via Zerocoin Protocol (min: 10%)
+ Percentage of incoming ION which get automatically converted to xION via Zerocoin Protocol (min: 10%)
+
+
+ Percentage of autominted xION
+ Percentage of autominted xION
+
+
+ Wait with automatic conversion to Zerocoin until enough ION for this denomination is available
+ Wait with automatic conversion to Zerocoin until enough ION for this denomination is available
+
+
+ Preferred Automint xION Denomination
+ Preferred Automint xION Denomination
+
+
+ Stake split threshold:
+ Stake split threshold:
+
+
+ Connect to the ION network through a SOCKS5 proxy.
+ Connect to the ION network through a SOCKS5 proxy.
+
+
+ Proxy &IP:
+ Proxy &IP:
+
+
+ IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1)
+ IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1)
+
+
+ &Port:
+ &Port:
+
+
+ Port of the proxy (e.g. 9050)
+ Port of the proxy (e.g. 9050)
+
+
+ &Window
+ &Window
+
+
+ Show only a tray icon after minimizing the window.
+ Show only a tray icon after minimising the window.
+
+
+ &Minimize to the tray instead of the taskbar
+ &Minimise to the tray instead of the taskbar
+
+
+ Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.
+ Minimise instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.
+
+
+ M&inimize on close
+ M&inimise on close
+
+
+ &Display
+ &Display
+
+
+ User Interface &language:
+ User Interface &language:
+
+
+ User Interface Theme:
+ User Interface Theme:
+
+
+ &Unit to show amounts in:
+ &Unit to show amounts in:
+
+
+ Choose the default subdivision unit to show in the interface and when sending coins.
+ Choose the default subdivision unit to show in the interface and when sending coins.
+
+
+ Decimal digits
+ Decimal digits
+
+
+ Hide empty balances
+ Hide empty balances
+
+
+ Hide orphan stakes in transaction lists
+ Hide orphan stakes in transaction lists
+
+
+ Hide orphan stakes
+ Hide orphan stakes
+
+
+ Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |.
+ Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |.
+
+
+ Third party transaction URLs
+ Third party transaction URLs
+
+
+ Active command-line options that override above options:
+ Active command-line options that override above options:
+
+
+ Reset all client options to default.
+ Reset all client options to default.
+
+
+ &Reset Options
+ &Reset Options
+
+
+ &OK
+ &OK
+
+
+ &Cancel
+ &Cancel
+
+
+ Any
+ Any
+
+
+ default
+ default
+
+
+ none
+ none
+
+
+ Confirm options reset
+ Confirm options reset
+
+
+ Client restart required to activate changes.
+ Client restart required to activate changes.
+
+
+ Client will be shutdown, do you want to proceed?
+ Client will be shut down, do you want to proceed?
+
+
+ This change would require a client restart.
+ This change would require a client restart.
+
+
+ The supplied proxy address is invalid.
+ The supplied proxy address is invalid.
+
+
+ The supplied proxy port is invalid.
+ The supplied proxy port is invalid.
+
+
+ The supplied proxy settings are invalid.
+ The supplied proxy settings are invalid.
+
+
+
+ OverviewPage
+
+ Form
+ Form
+
+
+ Available:
+ Available:
+
+
+ Your current spendable balance
+ Your current spendable balance
+
+
+ Total Balance, including all unavailable coins.
+ Total Balance, including all unavailable coins.
+
+
+ ION Balance
+ ION Balance
+
+
+ Pending:
+ Pending:
+
+
+ Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance
+ Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance
+
+
+ Immature:
+ Immature:
+
+
+ Staked or masternode rewards that has not yet matured
+ Staked or masternode rewards that has not yet matured
+
+
+ Current locked balance in watch-only addresses
+ Current locked balance in watch-only addresses
+
+
+ Your current ION balance, unconfirmed and immature transactions included
+ Your current ION balance, unconfirmed and immature transactions included
+
+
+ xION Balance
+ xION Balance
+
+
+ Mature: more than 20 confirmation and more than 1 mint of the same denomination after it was minted.
+These xION are spendable.
+ Mature: more than 20 confirmation and more than 1 mint of the same denomination after it was minted.
+These xION are spendable.
+
+
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+
+
+ The displayed information may be out of date. Your wallet automatically synchronizes with the ION network after a connection is established, but this process has not completed yet.
+ The displayed information may be out of date. Your wallet automatically synchronises with the ION network after a connection is established, but this process has not completed yet.
+
+
+ OVERVIEW
+ OVERVIEW
+
+
+ Combined Balance (including unconfirmed and immature coins)
+ Combined Balance (including unconfirmed and immature coins)
+
+
+ Combined Balance
+ Combined Balance
+
+
+ Unconfirmed transactions to watch-only addresses
+ Unconfirmed transactions to watch-only addresses
+
+
+ Staked or masternode rewards in watch-only addresses that has not yet matured
+ Staked or masternode rewards in watch-only addresses that have not yet matured
+
+
+ Total:
+ Total:
+
+
+ Current total balance in watch-only addresses
+ Current total balance in watch-only addresses
+
+
+ Watch-only:
+ Watch-only:
+
+
+ Your current balance in watch-only addresses
+ Your current balance in watch-only addresses
+
+
+ Spendable:
+ Spendable:
+
+
+ Locked ION or Masternode collaterals. These are excluded from xION minting.
+ Locked ION or Masternode collaterals. These are excluded from xION minting.
+
+
+ Locked:
+ Locked:
+
+
+ Unconfirmed:
+ Unconfirmed:
+
+
+ Your current xION balance, unconfirmed and immature xION included.
+ Your current xION balance, unconfirmed and immature xION included.
+
+
+ Recent transactions
+ Recent transactions
+
+
+ out of sync
+ out of sync
+
+
+ Current percentage of xION.
+If AutoMint is enabled this percentage will settle around the configured AutoMint percentage (default = 10%).
+
+ Current percentage of xION.
+If AutoMint is enabled this percentage will settle around the configured AutoMint percentage (default = 10%).
+
+
+
+ AutoMint is currently enabled and set to
+ AutoMint is currently enabled and set to
+
+
+ To disable AutoMint add 'enablezeromint=0' in ioncoin.conf.
+ To disable AutoMint add 'enablezeromint=0' in ioncoin.conf.
+
+
+ AutoMint is currently disabled.
+To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1' in ioncoin.conf
+ AutoMint is currently disabled.
+To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1' in ioncoin.conf
+
+
+
+ PaymentServer
+
+ Payment request error
+ Payment request error
+
+
+ URI handling
+ URI handling
+
+
+ Payment request fetch URL is invalid: %1
+ Payment request fetch URL is invalid: %1
+
+
+ Payment request file handling
+ Payment request file handling
+
+
+ Invalid payment address %1
+ Invalid payment address %1
+
+
+ Cannot start ion: click-to-pay handler
+ Cannot start ion: click-to-pay handler
+
+
+ URI cannot be parsed! This can be caused by an invalid ION address or malformed URI parameters.
+ URI cannot be parsed! This can be caused by an invalid ION address or malformed URI parameters.
+
+
+ Payment request file cannot be read! This can be caused by an invalid payment request file.
+ Payment request file cannot be read! This can be caused by an invalid payment request file.
+
+
+ Payment request rejected
+ Payment request rejected
+
+
+ Payment request network doesn't match client network.
+ Payment request network doesn't match client network.
+
+
+ Payment request has expired.
+ Payment request has expired.
+
+
+ Payment request is not initialized.
+ Payment request is not initialised.
+
+
+ Unverified payment requests to custom payment scripts are unsupported.
+ Unverified payment requests to custom payment scripts are unsupported.
+
+
+ Requested payment amount of %1 is too small (considered dust).
+ Requested payment amount of %1 is too small (considered dust).
+
+
+ Refund from %1
+ Refund from %1
+
+
+ Payment request %1 is too large (%2 bytes, allowed %3 bytes).
+ Payment request %1 is too large (%2 bytes, allowed %3 bytes).
+
+
+ Payment request DoS protection
+ Payment request DoS protection
+
+
+ Error communicating with %1: %2
+ Error communicating with %1: %2
+
+
+ Payment request cannot be parsed!
+ Payment request cannot be parsed!
+
+
+ Bad response from server %1
+ Bad response from server %1
+
+
+ Network request error
+ Network request error
+
+
+ Payment acknowledged
+ Payment acknowledged
+
+
+
+ PeerTableModel
+
+ Address/Hostname
+ Address/Hostname
+
+
+ Version
+ Version
+
+
+ Ping Time
+ Ping Time
+
+
+
+ PrivacyDialog
+
+ Zerocoin Actions:
+ Zerocoin Actions:
+
+
+ The displayed information may be out of date. Your wallet automatically synchronizes with the ION network after a connection is established, but this process has not completed yet.
+ The displayed information may be out of date. Your wallet automatically synchronises with the ION network after a connection is established, but this process has not completed yet.
+
+
+ Mint Zerocoin
+ Mint Zerocoin
+
+
+ 0
+ 0
+
+
+ xION
+ xION
+
+
+ Available for minting are coins which are confirmed and not locked or Masternode collaterals.
+ Available for minting are coins which are confirmed and not locked or Masternode collaterals.
+
+
+ Available for Minting:
+ Available for Minting:
+
+
+ 0.000 000 00 ION
+ 0.000 000 00 ION
+
+
+ Reset Zerocoin Wallet DB. Deletes transactions that did not make it into the blockchain.
+ Reset Zerocoin Wallet DB. Deletes transactions that did not make it into the blockchain.
+
+
+ Reset
+ Reset
+
+
+ Coin Control...
+ Coin Control...
+
+
+ Quantity:
+ Quantity:
+
+
+ Amount:
+ Amount:
+
+
+ Rescan the complete blockchain for Zerocoin mints and their meta-data.
+ Rescan the complete blockchain for Zerocoin mints and their meta-data.
+
+
+ ReScan
+ ReScan
+
+
+ Status and/or Mesages from the last Mint Action.
+ Status and/or Messages from the last Mint Action.
+
+
+ PRIVACY
+ PRIVACY
+
+
+ Enter an amount of Ion to convert to xION
+ Enter an amount of Ion to convert to xION
+
+
+ xION Control
+ xION Control
+
+
+ xION Selected:
+ xION Selected:
+
+
+ Quantity Selected:
+ Quantity Selected:
+
+
+ Spend Zerocoin. Without 'Pay To:' address creates payments to yourself.
+ Spend Zerocoin. Without 'Pay To:' address creates payments to yourself.
+
+
+ Spend Zerocoin
+ Spend Zerocoin
+
+
+ Available (mature and spendable) xION for spending
+ Available (mature and spendable) xION for spending
+
+
+ Available Balance:
+ Available Balance:
+
+
+ Available (mature and spendable) xION for spending
+
+xION are mature when they have more than 20 confirmations AND more than 2 mints of the same denomination after them were minted
+ Available (mature and spendable) xION for spending
+
+xION are mature when they have more than 20 confirmations AND more than 2 mints of the same denomination after them were minted
+
+
+ 0 xION
+ 0 xION
+
+
+ Pay &To:
+ Pay &To:
+
+
+ The ION address to send the payment to. Creates local payment to yourself when empty.
+ The ION address to send the payment to. Creates local payment to yourself when empty.
+
+
+ Choose previously used address
+ Choose previously used address
+
+
+ Alt+A
+ Alt+A
+
+
+ Paste address from clipboard
+ Paste address from clipboard
+
+
+ Alt+P
+ Alt+P
+
+
+ &Label:
+ &Label:
+
+
+ Enter a label for this address to add it to the list of used addresses
+ Enter a label for this address to add it to the list of used addresses
+
+
+ A&mount:
+ A&mount:
+
+
+ Convert Change to Zerocoin (might cost additional fees)
+ Convert Change to Zerocoin (might cost additional fees)
+
+
+ If checked, the wallet tries to minimize the returning change instead of minimizing the number of spent denominations.
+ If checked, the wallet tries to minimise the returning change instead of minimising the number of spent denominations.
+
+
+ Minimize Change
+ Minimise Change
+
+
+ Information about the available Zerocoin funds.
+ Information about the available Zerocoin funds.
+
+
+ Zerocoin Stats:
+ Zerocoin Stats:
+
+
+ Total Balance including unconfirmed and immature xION
+ Total Balance including unconfirmed and immature xION
+
+
+ Total Zerocoin Balance:
+ Total Zerocoin Balance:
+
+
+ Denominations with value 1:
+ Denominations with value 1:
+
+
+ Denom. with value 1:
+ Denom. with value 1:
+
+
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+
+
+ Show the current status of automatic xION minting.
+
+To change the status (restart required):
+- enable: add 'enablezeromint=1' to ioncoin.conf
+- disable: add 'enablezeromint=0' to ioncoin.conf
+
+To change the percentage (no restart required):
+- menu Settings->Options->Percentage of autominted xION
+
+
+ Show the current status of automatic xION minting.
+
+To change the status (restart required):
+- enable: add 'enablezeromint=1' to ioncoin.conf
+- disable: add 'enablezeromint=0' to ioncoin.conf
+
+To change the percentage (no restart required):
+- menu Settings->Options->Percentage of autominted xION
+
+
+
+
+ AutoMint Status
+ AutoMint Status
+
+
+ Global Supply:
+ Global Supply:
+
+
+ Denom. 1:
+ Denom. 1:
+
+
+ Denom. 5:
+ Denom. 5:
+
+
+ Denom. 10:
+ Denom. 10:
+
+
+ Denom. 50:
+ Denom. 50:
+
+
+ Denom. 100:
+ Denom. 100:
+
+
+ Denom. 500:
+ Denom. 500:
+
+
+ Denom. 1000:
+ Denom. 1000:
+
+
+ Denom. 5000:
+ Denom. 5000:
+
+
+ 0 x
+ 0 x
+
+
+ Show xION denominations list
+ Show xION denominations list
+
+
+ Show Denominations
+ Show Denominations
+
+
+ Denominations with value 5:
+ Denominations with value 5:
+
+
+ Denom. with value 5:
+ Denom. with value 5:
+
+
+ Denominations with value 10:
+ Denominations with value 10:
+
+
+ Denom. with value 10:
+ Denom. with value 10:
+
+
+ Denominations with value 50:
+ Denominations with value 50:
+
+
+ Denom. with value 50:
+ Denom. with value 50:
+
+
+ Denominations with value 100:
+ Denominations with value 100:
+
+
+ Denom. with value 100:
+ Denom. with value 100:
+
+
+ Denominations with value 500:
+ Denominations with value 500:
+
+
+ Denom. with value 500:
+ Denom. with value 500:
+
+
+ Denominations with value 1000:
+ Denominations with value 1000:
+
+
+ Denom. with value 1000:
+ Denom. with value 1000:
+
+
+ Denominations with value 5000:
+ Denominations with value 5000:
+
+
+ Denom. with value 5000:
+ Denom. with value 5000:
+
+
+ Hide Denominations
+ Hide Denominations
+
+
+ Priority:
+ Priority:
+
+
+ TextLabel
+ TextLabel
+
+
+ Fee:
+ Fee:
+
+
+ Dust:
+ Dust:
+
+
+ no
+ no
+
+
+ Bytes:
+ Bytes:
+
+
+ Insufficient funds!
+ Insufficient funds!
+
+
+ Coins automatically selected
+ Coins automatically selected
+
+
+ medium
+ medium
+
+
+ Coin Control Features
+ Coin Control Features
+
+
+ If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
+ If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
+
+
+ Custom change address
+ Custom change address
+
+
+ Amount After Fee:
+ Amount After Fee:
+
+
+ Change:
+ Change:
+
+
+ out of sync
+ out of sync
+
+
+ Mint Status: Okay
+ Mint Status: Okay
+
+
+ Copy quantity
+ Copy quantity
+
+
+ Copy amount
+ Copy amount
+
+
+ Starting ResetMintZerocoin: rescanning complete blockchain, this will need up to 30 minutes depending on your hardware.
+Please be patient...
+ Starting ResetMintZerocoin: rescanning complete blockchain, this will need up to 30 minutes depending on your hardware.
+Please be patient...
+
+
+ ) needed.
+Maximum allowed:
+ ) needed.
+Maximum allowed:
+
+
+ xION Spend #:
+ xION Spend #:
+
+
+ xION Mint
+ xION Mint
+
+
+ <b>enabled</b>.
+ <b>enabled</b>.
+
+
+ <b>disabled</b>.
+ <b>disabled</b>.
+
+
+ Configured target percentage: <b>
+ Configured target percentage: <b>
+
+
+ xION is currently disabled due to maintenance.
+ xION is currently disabled due to maintenance.
+
+
+ xION is currently undergoing maintenance.
+ xION is currently undergoing maintenance.
+
+
+ Denom. with value <b>1</b>:
+ Denom. with value <b>1</b>:
+
+
+ Denom. with value <b>5</b>:
+ Denom. with value <b>5</b>:
+
+
+ Denom. with value <b>10</b>:
+ Denom. with value <b>10</b>:
+
+
+ Denom. with value <b>50</b>:
+ Denom. with value <b>50</b>:
+
+
+ Denom. with value <b>100</b>:
+ Denom. with value <b>100</b>:
+
+
+ Denom. with value <b>500</b>:
+ Denom. with value <b>500</b>:
+
+
+ Denom. with value <b>1000</b>:
+ Denom. with value <b>1000</b>:
+
+
+ Denom. with value <b>5000</b>:
+ Denom. with value <b>5000</b>:
+
+
+ AutoMint Status:
+ AutoMint Status:
+
+
+ Denom. <b>1</b>:
+ Denom. <b>1</b>:
+
+
+ Denom. <b>5</b>:
+ Denom. <b>5</b>:
+
+
+ Denom. <b>10</b>:
+ Denom. <b>10</b>:
+
+
+ Denom. <b>50</b>:
+ Denom. <b>50</b>:
+
+
+ Denom. <b>100</b>:
+ Denom. <b>100</b>:
+
+
+ Denom. <b>500</b>:
+ Denom. <b>500</b>:
+
+
+ Denom. <b>1000</b>:
+ Denom. <b>1000</b>:
+
+
+ Denom. <b>5000</b>:
+ Denom. <b>5000</b>:
+
+
+ Error: Your wallet is locked. Please enter the wallet passphrase first.
+ Error: Your wallet is locked. Please enter the wallet passphrase first.
+
+
+ Message: Enter an amount > 0.
+ Message: Enter an amount > 0.
+
+
+ Minting
+ Minting
+
+
+ Successfully minted
+ Successfully minted
+
+
+ xION in
+ xION in
+
+
+ sec. Used denominations:
+
+ sec. Used denominations:
+
+
+
+ Duration:
+ Duration:
+
+
+ sec.
+
+ sec.
+
+
+
+ Starting ResetSpentZerocoin:
+ Starting ResetSpentZerocoin:
+
+
+ No 'Pay To' address provided, creating local payment
+ No 'Pay To' address provided, creating local payment
+
+
+ Invalid Ion Address
+ Invalid Ion Address
+
+
+ Invalid Send Amount
+ Invalid Send Amount
+
+
+ Confirm additional Fees
+ Confirm additional Fees
+
+
+ Are you sure you want to send?<br /><br />
+ Are you sure you want to send?<br /><br />
+
+
+ to address
+ to address
+
+
+ to a newly generated (unused and therefore anonymous) local address <br />
+ to a newly generated (unused and therefore anonymous) local address <br />
+
+
+ Confirm send coins
+ Confirm send coins
+
+
+ Failed to fetch mint associated with serial hash
+ Failed to fetch mint associated with serial hash
+
+
+ Too much inputs (
+ Too much inputs (
+
+
+
+Either mint higher denominations (so fewer inputs are needed) or reduce the amount to spend.
+
+Either mint higher denominations (so fewer inputs are needed) or reduce the amount to spend.
+
+
+ Spend Zerocoin failed with status =
+ Spend Zerocoin failed with status =
+
+
+ PrivacyDialog
+ Enter an amount of ION to convert to xION
+ PrivacyDialogPrivacyDialog
+
+
+ denomination:
+ denomination:
+
+
+ serial:
+ serial:
+
+
+ Spend is 1 of :
+ Spend is 1 of :
+
+
+ value out:
+ value out:
+
+
+ address:
+ address:
+
+
+ Sending successful, return code:
+ Sending successful, return code:
+
+
+ txid:
+ txid:
+
+
+ fee:
+ fee:
+
+
+
+ ProposalFrame
+
+
+ QObject
+
+ Amount
+ Amount
+
+
+ Enter a ION address (e.g. %1)
+ Enter a ION address (e.g. %1)
+
+
+ %1 d
+ %1 d
+
+
+ %1 h
+ %1 h
+
+
+ %1 m
+ %1 m
+
+
+ %1 s
+ %1 s
+
+
+ NETWORK
+ NETWORK
+
+
+ BLOOM
+ BLOOM
+
+
+ UNKNOWN
+ UNKNOWN
+
+
+ None
+ None
+
+
+ N/A
+ N/A
+
+
+ %1 ms
+ %1 ms
+
+
+ ION Core
+ ION Core
+
+
+
+ QRImageWidget
+
+ &Save Image...
+ &Save Image...
+
+
+ &Copy Image
+ &Copy Image
+
+
+ Save QR Code
+ Save QR Code
+
+
+ PNG Image (*.png)
+ PNG Image (*.png)
+
+
+
+ RPCConsole
+
+ Tools window
+ Tools window
+
+
+ &Information
+ &Information
+
+
+ General
+ General
+
+
+ Name
+ Name
+
+
+ Client name
+ Client name
+
+
+ N/A
+ N/A
+
+
+ Number of connections
+ Number of connections
+
+
+ &Open
+ &Open
+
+
+ Startup time
+ Start up time
+
+
+ Network
+ Network
+
+
+ Last block time
+ Last block time
+
+
+ Debug log file
+ Debug log file
+
+
+ Using OpenSSL version
+ Using OpenSSL version
+
+
+ Build date
+ Build date
+
+
+ Current number of blocks
+ Current number of blocks
+
+
+ Client version
+ Client version
+
+
+ Using BerkeleyDB version
+ Using BerkeleyDB version
+
+
+ Block chain
+ Block chain
+
+
+ Open the ION debug log file from the current data directory. This can take a few seconds for large log files.
+ Open the ION debug log file from the current data directory. This can take a few seconds for large log files.
+
+
+ Number of Masternodes
+ Number of Masternodes
+
+
+ &Console
+ &Console
+
+
+ Clear console
+ Clear console
+
+
+ &Network Traffic
+ &Network Traffic
+
+
+ &Clear
+ &Clear
+
+
+ Totals
+ Totals
+
+
+ Received
+ Received
+
+
+ Sent
+ Sent
+
+
+ &Peers
+ &Peers
+
+
+ Banned peers
+ Banned peers
+
+
+ Select a peer to view detailed information.
+ Select a peer to view detailed information.
+
+
+ Whitelisted
+ Whitelisted
+
+
+ Direction
+ Direction
+
+
+ Protocol
+ Protocol
+
+
+ Version
+ Version
+
+
+ Services
+ Services
+
+
+ Ban Score
+ Ban Score
+
+
+ Connection Time
+ Connection Time
+
+
+ Last Send
+ Last Send
+
+
+ Last Receive
+ Last Receive
+
+
+ Bytes Sent
+ Bytes Sent
+
+
+ Bytes Received
+ Bytes Received
+
+
+ Ping Time
+ Ping Time
+
+
+ &Wallet Repair
+ &Wallet Repair
+
+
+ Delete local Blockchain Folders
+ Delete local Blockchain Folders
+
+
+ Wallet In Use:
+ Wallet In Use:
+
+
+ Starting Block
+ Starting Block
+
+
+ Synced Headers
+ Synced Headers
+
+
+ Synced Blocks
+ Synced Blocks
+
+
+ The duration of a currently outstanding ping.
+ The duration of a currently outstanding ping.
+
+
+ Ping Wait
+ Ping Wait
+
+
+ Time Offset
+ Time Offset
+
+
+ Custom Backup Path:
+ Custom Backup Path:
+
+
+ Custom xION Backup Path:
+ Custom xION Backup Path:
+
+
+ Custom Backups Threshold:
+ Custom Backups Threshold:
+
+
+ Salvage wallet
+ Salvage wallet
+
+
+ Attempt to recover private keys from a corrupt wallet.dat.
+ Attempt to recover private keys from a corrupt wallet.dat.
+
+
+ Rescan blockchain files
+ Rescan blockchain files
+
+
+ Rescan the block chain for missing wallet transactions.
+ Rescan the block chain for missing wallet transactions.
+
+
+ Recover transactions 1
+ Recover transactions 1
+
+
+ Recover transactions from blockchain (keep meta-data, e.g. account owner).
+ Recover transactions from blockchain (keep meta-data, e.g. account owner).
+
+
+ Recover transactions 2
+ Recover transactions 2
+
+
+ Recover transactions from blockchain (drop meta-data).
+ Recover transactions from blockchain (drop meta-data).
+
+
+ Upgrade wallet format
+ Upgrade wallet format
+
+
+ Rebuild block chain index from current blk000??.dat files.
+ Rebuild block chain index from current blk000??.dat files.
+
+
+ -resync:
+ -resync:
+
+
+ Deletes all local blockchain folders so the wallet synchronizes from scratch.
+ Deletes all local blockchain folders so the wallet synchronises from scratch.
+
+
+ The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions.
+ The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockchain files or missing/obsolete transactions.
+
+
+ Wallet repair options.
+ Wallet repair options.
+
+
+ Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!)
+ Upgrade wallet to latest format on start up. (Note: this is NOT an update of the wallet itself!)
+
+
+ Rebuild index
+ Rebuild index
+
+
+ In:
+ In:
+
+
+ Out:
+ Out:
+
+
+ Welcome to the ION RPC console.
+ Welcome to the ION RPC console.
+
+
+ &Disconnect Node
+ &Disconnect Node
+
+
+ Ban Node for
+ Ban Node for
+
+
+ 1 &hour
+ 1 &hour
+
+
+ 1 &day
+ 1 &day
+
+
+ 1 &week
+ 1 &week
+
+
+ 1 &year
+ 1 &year
+
+
+ &Unban Node
+ &Unban Node
+
+
+ This will delete your local blockchain folders and the wallet will synchronize the complete Blockchain from scratch.<br /><br />
+ This will delete your local blockchain folders and the wallet will synchronise the complete Blockchain from scratch.<br /><br />
+
+
+ This needs quite some time and downloads a lot of data.<br /><br />
+ This needs quite some time and downloads a lot of data.<br /><br />
+
+
+ Your transactions and funds will be visible again after the download has completed.<br /><br />
+ Your transactions and funds will be visible again after the download has completed.<br /><br />
+
+
+ Do you want to continue?.<br />
+ Do you want to continue?.<br />
+
+
+ Confirm resync Blockchain
+ Confirm resync Blockchain
+
+
+ Use up and down arrows to navigate history, and %1 to clear screen.
+ Use up and down arrows to navigate history, and %1 to clear screen.
+
+
+ Type <b>help</b> for an overview of available commands.
+ Type <b>help</b> for an overview of available commands.
+
+
+ WARNING: Scammers have been active, telling users to type commands here, stealing their wallet contents. Do not use this console without fully understanding the ramifications of a command.
+ WARNING: Scammers have been active, telling users to type commands here, stealing their wallet contents. Do not use this console without fully understanding the ramifications of a command.
+
+
+ %1 B
+ %1 B
+
+
+ %1 KB
+ %1 KB
+
+
+ %1 MB
+ %1 MB
+
+
+ %1 GB
+ %1 GB
+
+
+ (node id: %1)
+ (node id: %1)
+
+
+ via %1
+ via %1
+
+
+ never
+ never
+
+
+ Inbound
+ Inbound
+
+
+ Outbound
+ Outbound
+
+
+ Yes
+ Yes
+
+
+ No
+ No
+
+
+ Unknown
+ Unknown
+
+
+
+ ReceiveCoinsDialog
+
+ Reuse one of the previously used receiving addresses.<br>Reusing addresses has security and privacy issues.<br>Do not use this unless re-generating a payment request made before.
+ Reuse one of the previously used receiving addresses.<br>Reusing addresses has security and privacy issues.<br>Do not use this unless re-generating a payment request made before.
+
+
+ R&euse an existing receiving address (not recommended)
+ R&euse an existing receiving address (not recommended)
+
+
+ &Message:
+ &Message:
+
+
+ An optional label to associate with the new receiving address.
+ An optional label to associate with the new receiving address.
+
+
+ Your receiving address. You can copy and use it to receive coins on this wallet. A new one will be generated once it is used.
+ Your receiving address. You can copy and use it to receive coins on this wallet. A new one will be generated once it is used.
+
+
+ &Address:
+ &Address:
+
+
+ A&mount:
+ A&mount:
+
+
+ An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
+ An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
+
+
+ RECEIVE
+ RECEIVE
+
+
+ An optional message to attach to the payment request, which will be displayed when the request is opened.<br>Note: The message will not be sent with the payment over the ION network.
+ An optional message to attach to the payment request, which will be displayed when the request is opened.<br>Note: The message will not be sent with the payment over the ION network.
+
+
+ Use this form to request payments. All fields are <b>optional</b>.
+ Use this form to request payments. All fields are <b>optional</b>.
+
+
+ &Label:
+ &Label:
+
+
+ An optional amount to request. Leave this empty or zero to not request a specific amount.
+ An optional amount to request. Leave this empty or zero to not request a specific amount.
+
+
+ &Request payment
+ &Request payment
+
+
+ Clear all fields of the form.
+ Clear all fields of the form.
+
+
+ Clear
+ Clear
+
+
+ Receiving Addresses
+ Receiving Addresses
+
+
+ Requested payments history
+ Requested payments history
+
+
+ Show the selected request (does the same as double clicking an entry)
+ Show the selected request (does the same as double clicking an entry)
+
+
+ Show
+ Show
+
+
+ Remove the selected entries from the list
+ Remove the selected entries from the list
+
+
+ Remove
+ Remove
+
+
+ Copy label
+ Copy label
+
+
+ Copy message
+ Copy message
+
+
+ Copy amount
+ Copy amount
+
+
+ Copy address
+ Copy address
+
+
+
+ ReceiveRequestDialog
+
+ QR Code
+ QR Code
+
+
+ Copy &URI
+ Copy &URI
+
+
+ Copy &Address
+ Copy &Address
+
+
+ &Save Image...
+ &Save Image...
+
+
+ Request payment to %1
+ Request payment to %1
+
+
+ Payment information
+ Payment information
+
+
+ URI
+ URI
+
+
+ Address
+ Address
+
+
+ Amount
+ Amount
+
+
+ Label
+ Label
+
+
+ Message
+ Message
+
+
+ Resulting URI too long, try to reduce the text for label / message.
+ Resulting URI too long, try to reduce the text for label / message.
+
+
+ Error encoding URI into QR Code.
+ Error encoding URI into QR Code.
+
+
+
+ RecentRequestsTableModel
+
+ Date
+ Date
+
+
+ Label
+ Label
+
+
+ Message
+ Message
+
+
+ Address
+ Address
+
+
+ Amount
+ Amount
+
+
+ (no label)
+ (no label)
+
+
+ (no message)
+ (no message)
+
+
+ (no amount)
+ (no amount)
+
+
+
+ SendCoinsDialog
+
+ Send Coins
+ Send Coins
+
+
+ SEND
+ SEND
+
+
+ Coin Control Features
+ Coin Control Features
+
+
+ Insufficient funds!
+ Insufficient funds!
+
+
+ Quantity:
+ Quantity:
+
+
+ Bytes:
+ Bytes:
+
+
+ Amount:
+ Amount:
+
+
+ Priority:
+ Priority:
+
+
+ medium
+ medium
+
+
+ Fee:
+ Fee:
+
+
+ Dust:
+ Dust:
+
+
+ no
+ no
+
+
+ After Fee:
+ After Fee:
+
+
+ Change:
+ Change:
+
+
+ If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
+ If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
+
+
+ Custom change address
+ Custom change address
+
+
+ Split UTXO
+ Split UTXO
+
+
+ # of outputs
+ # of outputs
+
+
+ UTXO Size:
+ UTXO Size:
+
+
+ 0 ION
+ 0 ION
+
+
+ SwiftX technology allows for near instant transactions - A flat fee of 0.01 ION applies
+ SwiftX technology allows for near instant transactions - A flat fee of 0.01 ION applies
+
+
+ Transaction Fee:
+ Transaction Fee:
+
+
+ Choose...
+ Choose...
+
+
+ collapse fee-settings
+ collapse fee-settings
+
+
+ Minimize
+ Minimise
+
+
+ per kilobyte
+ per kilobyte
+
+
+ total at least
+ total at least
+
+
+ (read the tooltip)
+ (read the tooltip)
+
+
+ Custom:
+ Custom:
+
+
+ (Smart fee not initialized yet. This usually takes a few blocks...)
+ (Smart fee not initialised yet. This usually takes a few blocks...)
+
+
+ SwiftX
+ SwiftX
+
+
+ Confirmation time:
+ Confirmation time:
+
+
+ Open Coin Control...
+ Open Coin Control...
+
+
+ Coins automatically selected
+ Coins automatically selected
+
+
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+
+
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "total at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "total at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+
+
+ Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks.<br />But be aware that this can end up in a never confirming transaction once there is more demand for ION transactions than the network can process.
+ Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks.<br />But be aware that this can end up in a never confirming transaction once there is more demand for ION transactions than the network can process.
+
+
+ normal
+ normal
+
+
+ fast
+ fast
+
+
+ Recommended
+ Recommended
+
+
+ Send as zero-fee transaction if possible
+ Send as zero-fee transaction if possible
+
+
+ (confirmation may take longer)
+ (confirmation may take longer)
+
+
+ Confirm the send action
+ Confirm the send action
+
+
+ S&end
+ S&end
+
+
+ Clear all fields of the form.
+ Clear all fields of the form.
+
+
+ Clear &All
+ Clear &All
+
+
+ Send to multiple recipients at once
+ Send to multiple recipients at once
+
+
+ Add &Recipient
+ Add &Recipient
+
+
+ Anonymized ION
+ Anonymised ION
+
+
+ Balance:
+ Balance:
+
+
+ Copy quantity
+ Copy quantity
+
+
+ Copy amount
+ Copy amount
+
+
+ Copy fee
+ Copy fee
+
+
+ Copy after fee
+ Copy after fee
+
+
+ Copy bytes
+ Copy bytes
+
+
+ Copy priority
+ Copy priority
+
+
+ Copy dust
+ Copy dust
+
+
+ Copy change
+ Copy change
+
+
+ The split block tool does not work when sending to outside addresses. Try again.
+ The split block tool does not work when sending to outside addresses. Try again.
+
+
+ The split block tool does not work with multiple addresses. Try again.
+ The split block tool does not work with multiple addresses. Try again.
+
+
+ Warning: Invalid ION address
+ Warning: Invalid ION address
+
+
+ %1 to %2
+ %1 to %2
+
+
+ Are you sure you want to send?
+ Are you sure you want to send?
+
+
+ are added as transaction fee
+ are added as transaction fee
+
+
+ Total Amount = <b>%1</b><br />= %2
+ Total Amount = <b>%1</b><br />= %2
+
+
+ Confirm send coins
+ Confirm send coins
+
+
+ A fee %1 times higher than %2 per kB is considered an insanely high fee.
+ A fee %1 times higher than %2 per kB is considered an insanely high fee.
+
+
+ Estimated to begin confirmation within %n block(s).
+ Estimated to begin confirmation within %n block.Estimated to begin confirmation within %n blocks.
+
+
+ The recipient address is not valid, please recheck.
+ The recipient address is not valid, please recheck.
+
+
+ using SwiftX
+ using SwiftX
+
+
+ split into %1 outputs using the UTXO splitter.
+ split into %1 outputs using the UTXO splitter.
+
+
+ <b>(%1 of %2 entries displayed)</b>
+ <b>(%1 of %2 entries displayed)</b>
+
+
+ The amount to pay must be larger than 0.
+ The amount to pay must be larger than 0.
+
+
+ The amount exceeds your balance.
+ The amount exceeds your balance.
+
+
+ The total exceeds your balance when the %1 transaction fee is included.
+ The total exceeds your balance when the %1 transaction fee is included.
+
+
+ Duplicate address found, can only send to each address once per send operation.
+ Duplicate address found, can only send to each address once per send operation.
+
+
+ Transaction creation failed!
+ Transaction creation failed!
+
+
+ The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.
+ 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: The wallet was unlocked only to anonymize coins.
+ Error: The wallet was unlocked only to anonymise coins.
+
+
+ Error: The wallet was unlocked only to anonymize coins. Unlock canceled.
+ Error: The wallet was unlocked only to anonymise coins. Unlock cancelled.
+
+
+ Pay only the minimum fee of %1
+ Pay only the minimum fee of %1
+
+
+ Estimated to get 6 confirmations near instantly with <b>SwiftX</b>!
+ Estimated to get 6 confirmations near instantly with <b>SwiftX</b>!
+
+
+ Warning: Unknown change address
+ Warning: Unknown change address
+
+
+ (no label)
+ (no label)
+
+
+
+ SendCoinsEntry
+
+ This is a normal payment.
+ This is a normal payment.
+
+
+ Pay &To:
+ Pay &To:
+
+
+ The ION address to send the payment to
+ The ION address to send the payment to
+
+
+ Choose previously used address
+ Choose previously used address
+
+
+ Alt+A
+ Alt+A
+
+
+ Paste address from clipboard
+ Paste address from clipboard
+
+
+ Alt+P
+ Alt+P
+
+
+ Remove this entry
+ Remove this entry
+
+
+ &Label:
+ &Label:
+
+
+ Enter a label for this address to add it to the list of used addresses
+ Enter a label for this address to add it to the list of used addresses
+
+
+ A&mount:
+ A&mount:
+
+
+ Message:
+ Message:
+
+
+ A message that was attached to the ION: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the ION network.
+ A message that was attached to the ION: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the ION network.
+
+
+ This is an unverified payment request.
+ This is an unverified payment request.
+
+
+ Pay To:
+ Pay To:
+
+
+ Memo:
+ Memo:
+
+
+ This is a verified payment request.
+ This is a verified payment request.
+
+
+ Enter a label for this address to add it to your address book
+ Enter a label for this address to add it to your address book
+
+
+
+ ShutdownWindow
+
+ ION Core is shutting down...
+ ION Core is shutting down...
+
+
+ Do not shut down the computer until this window disappears.
+ Do not shut down the computer until this window disappears.
+
+
+
+ SignVerifyMessageDialog
+
+ Signatures - Sign / Verify a Message
+ Signatures - Sign / Verify a Message
+
+
+ &Sign Message
+ &Sign Message
+
+
+ You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.
+ You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.
+
+
+ The ION address to sign the message with
+ The ION address to sign the message with
+
+
+ Choose previously used address
+ Choose previously used address
+
+
+ Alt+A
+ Alt+A
+
+
+ Paste address from clipboard
+ Paste address from clipboard
+
+
+ Alt+P
+ Alt+P
+
+
+ Enter the message you want to sign here
+ Enter the message you want to sign here
+
+
+ Signature
+ Signature
+
+
+ Copy the current signature to the system clipboard
+ Copy the current signature to the system clipboard
+
+
+ Sign the message to prove you own this ION address
+ Sign the message to prove you own this ION address
+
+
+ The ION address the message was signed with
+ The ION address the message was signed with
+
+
+ Verify the message to ensure it was signed with the specified ION address
+ Verify the message to ensure it was signed with the specified ION address
+
+
+ Sign &Message
+ Sign &Message
+
+
+ Reset all sign message fields
+ Reset all sign message fields
+
+
+ Clear &All
+ Clear &All
+
+
+ &Verify Message
+ &Verify Message
+
+
+ Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.
+ Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.
+
+
+ Verify &Message
+ Verify &Message
+
+
+ Reset all verify message fields
+ Reset all verify message fields
+
+
+ Click "Sign Message" to generate signature
+ Click "Sign Message" to generate signature
+
+
+ The entered address is invalid.
+ The entered address is invalid.
+
+
+ Please check the address and try again.
+ Please check the address and try again.
+
+
+ The entered address does not refer to a key.
+ The entered address does not refer to a key.
+
+
+ Wallet unlock was cancelled.
+ Wallet unlock was cancelled.
+
+
+ Private key for the entered address is not available.
+ Private key for the entered address is not available.
+
+
+ Message signing failed.
+ Message signing failed.
+
+
+ Message signed.
+ Message signed.
+
+
+ The signature could not be decoded.
+ The signature could not be decoded.
+
+
+ Please check the signature and try again.
+ Please check the signature and try again.
+
+
+ The signature did not match the message digest.
+ The signature did not match the message digest.
+
+
+ Message verification failed.
+ Message verification failed.
+
+
+ Message verified.
+ Message verified.
+
+
+
+ SplashScreen
+
+ ION Core
+ ION Core
+
+
+ Version %1
+ Version %1
+
+
+ The Bitcoin Core developers
+ The Bitcoin Core developers
+
+
+ The Dash Core developers
+ The Dash Core developers
+
+
+ The ION Core developers
+ The ION Core developers
+
+
+ [testnet]
+ [testnet]
+
+
+
+ TrafficGraphWidget
+
+ KB/s
+ KB/s
+
+
+
+ TransactionDesc
+
+ Open for %n more block(s)
+ Open for %n more blockOpen for %n more blocks
+
+
+ Open until %1
+ Open until %1
+
+
+ conflicted
+ conflicted
+
+
+ %1/offline
+ %1/offline
+
+
+ %1/unconfirmed
+ %1/unconfirmed
+
+
+ %1 confirmations
+ %1 confirmations
+
+
+ %1/offline (verified via SwiftX)
+ %1/offline (verified via SwiftX)
+
+
+ %1/confirmed (verified via SwiftX)
+ %1/confirmed (verified via SwiftX)
+
+
+ %1 confirmations (verified via SwiftX)
+ %1 confirmations (verified via SwiftX)
+
+
+ %1/offline (SwiftX verification in progress - %2 of %3 signatures)
+ %1/offline (SwiftX verification in progress - %2 of %3 signatures)
+
+
+ %1/confirmed (SwiftX verification in progress - %2 of %3 signatures )
+ %1/confirmed (SwiftX verification in progress - %2 of %3 signatures )
+
+
+ %1 confirmations (SwiftX verification in progress - %2 of %3 signatures)
+ %1 confirmations (SwiftX verification in progress - %2 of %3 signatures)
+
+
+ %1/offline (SwiftX verification failed)
+ %1/offline (SwiftX verification failed)
+
+
+ %1/confirmed (SwiftX verification failed)
+ %1/confirmed (SwiftX verification failed)
+
+
+ Status
+ Status
+
+
+ , has not been successfully broadcast yet
+ , has not been successfully broadcast yet
+
+
+ , broadcast through %n node(s)
+ , broadcast through %n node, broadcast through %n nodes
+
+
+ Date
+ Date
+
+
+ Source
+ Source
+
+
+ Generated
+ Generated
+
+
+ From
+ From
+
+
+ unknown
+ unknown
+
+
+ To
+ To
+
+
+ own address
+ own address
+
+
+ watch-only
+ watch-only
+
+
+ label
+ label
+
+
+ Credit
+ Credit
+
+
+ matures in %n more block(s)
+ matures in %n more blockmatures in %n more blocks
+
+
+ not accepted
+ not accepted
+
+
+ Debit
+ Debit
+
+
+ Total debit
+ Total debit
+
+
+ Total credit
+ Total credit
+
+
+ Transaction fee
+ Transaction fee
+
+
+ Net amount
+ Net amount
+
+
+ Message
+ Message
+
+
+ Comment
+ Comment
+
+
+ Transaction ID
+ Transaction ID
+
+
+ Output index
+ Output index
+
+
+ Merchant
+ Merchant
+
+
+ Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.
+ Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.
+
+
+ Debug information
+ Debug information
+
+
+ Transaction
+ Transaction
+
+
+ Inputs
+ Inputs
+
+
+ Amount
+ Amount
+
+
+ true
+ true
+
+
+ false
+ false
+
+
+
+ TransactionDescDialog
+
+ Transaction details
+ Transaction details
+
+
+ This pane shows a detailed description of the transaction
+ This pane shows a detailed description of the transaction
+
+
+
+ TransactionTableModel
+
+ Date
+ Date
+
+
+ Type
+ Type
+
+
+ Address
+ Address
+
+
+ Open for %n more block(s)
+ Open for %n more blockOpen for %n more blocks
+
+
+ Open until %1
+ Open until %1
+
+
+ Offline
+ Offline
+
+
+ Unconfirmed
+ Unconfirmed
+
+
+ Confirming (%1 of %2 recommended confirmations)
+ Confirming (%1 of %2 recommended confirmations)
+
+
+ Confirmed (%1 confirmations)
+ Confirmed (%1 confirmations)
+
+
+ Conflicted
+ Conflicted
+
+
+ Immature (%1 confirmations, will be available after %2)
+ Immature (%1 confirmations, will be available after %2)
+
+
+ This block was not received by any other nodes and will probably not be accepted!
+ This block was not received by any other nodes and will probably not be accepted!
+
+
+ Received with
+ Received with
+
+
+ Masternode Reward
+ Masternode Reward
+
+
+ Received from
+ Received from
+
+
+ Received via Obfuscation
+ Received via Obfuscation
+
+
+ ION Stake
+ ION Stake
+
+
+ xION Stake
+ xION Stake
+
+
+ Obfuscation Denominate
+ Obfuscation Denominate
+
+
+ Obfuscation Collateral Payment
+ Obfuscation Collateral Payment
+
+
+ Obfuscation Make Collateral Inputs
+ Obfuscation Make Collateral Inputs
+
+
+ Obfuscation Create Denominations
+ Obfuscation Create Denominations
+
+
+ Converted ION to xION
+ Converted ION to xION
+
+
+ Spent xION
+ Spent xION
+
+
+ Received ION from xION
+ Received ION from xION
+
+
+ Minted Change as xION from xION Spend
+ Minted Change as xION from xION Spend
+
+
+ Converted xION to ION
+ Converted xION to ION
+
+
+ Anonymous (xION Transaction)
+ Anonymous (xION Transaction)
+
+
+ Anonymous (xION Stake)
+ Anonymous (xION Stake)
+
+
+ Sent to
+ Sent to
+
+
+ Orphan Block - Generated but not accepted. This does not impact your holdings.
+ Orphan Block - Generated but not accepted. This does not impact your holdings.
+
+
+ Payment to yourself
+ Payment to yourself
+
+
+ Mined
+ Mined
+
+
+ Obfuscated
+ Obfuscated
+
+
+ watch-only
+ watch-only
+
+
+ (n/a)
+ (n/a)
+
+
+ Transaction status. Hover over this field to show number of confirmations.
+ Transaction status. Hover over this field to show number of confirmations.
+
+
+ Date and time that the transaction was received.
+ Date and time that the transaction was received.
+
+
+ Type of transaction.
+ Type of transaction.
+
+
+ Whether or not a watch-only address is involved in this transaction.
+ Whether or not a watch-only address is involved in this transaction.
+
+
+ Destination address of transaction.
+ Destination address of transaction.
+
+
+ Amount removed from or added to balance.
+ Amount removed from or added to balance.
+
+
+
+ TransactionView
+
+ All
+ All
+
+
+ Today
+ Today
+
+
+ This week
+ This week
+
+
+ This month
+ This month
+
+
+ Last month
+ Last month
+
+
+ This year
+ This year
+
+
+ Range...
+ Range...
+
+
+ Most Common
+ Most Common
+
+
+ Received with
+ Received with
+
+
+ Sent to
+ Sent to
+
+
+ To yourself
+ To yourself
+
+
+ Mined
+ Mined
+
+
+ Minted
+ Minted
+
+
+ Masternode Reward
+ Masternode Reward
+
+
+ Zerocoin Mint
+ Zerocoin Mint
+
+
+ Zerocoin Spend
+ Zerocoin Spend
+
+
+ Zerocoin Spend to Self
+ Zerocoin Spend to Self
+
+
+ Other
+ Other
+
+
+ Enter address or label to search
+ Enter address or label to search
+
+
+ Min amount
+ Min amount
+
+
+ Copy address
+ Copy address
+
+
+ Copy label
+ Copy label
+
+
+ Copy amount
+ Copy amount
+
+
+ Copy transaction ID
+ Copy transaction ID
+
+
+ Edit label
+ Edit label
+
+
+ Show transaction details
+ Show transaction details
+
+
+ Hide orphan stakes
+ Hide orphan stakes
+
+
+ Export Transaction History
+ Export Transaction History
+
+
+ Comma separated file (*.csv)
+ Comma separated file (*.csv)
+
+
+ Confirmed
+ Confirmed
+
+
+ Watch-only
+ Watch-only
+
+
+ Date
+ Date
+
+
+ Type
+ Type
+
+
+ Label
+ Label
+
+
+ Address
+ Address
+
+
+ ID
+ ID
+
+
+ Exporting Failed
+ Exporting Failed
+
+
+ There was an error trying to save the transaction history to %1.
+ There was an error trying to save the transaction history to %1.
+
+
+ Exporting Successful
+ Exporting Successful
+
+
+ Received ION from xION
+ Received ION from xION
+
+
+ Zerocoin Spend, Change in xION
+ Zerocoin Spend, Change in xION
+
+
+ The transaction history was successfully saved to %1.
+ The transaction history was successfully saved to %1.
+
+
+ Range:
+ Range:
+
+
+ to
+ to
+
+
+
+ UnitDisplayStatusBarControl
+
+ Unit to show amounts in. Click to select another unit.
+ Unit to show amounts in. Click to select another unit.
+
+
+
+ WalletFrame
+
+ No wallet has been loaded.
+ No wallet has been loaded.
+
+
+
+ WalletModel
+
+ Send Coins
+ Send Coins
+
+
+ SwiftX doesn't support sending values that high yet. Transactions are currently limited to %1 ION.
+ SwiftX doesn't support sending values that high yet. Transactions are currently limited to %1 ION.
+
+
+
+ WalletView
+
+ HISTORY
+ HISTORY
+
+
+ &Export
+ &Export
+
+
+ Export the data in the current tab to a file
+ Export the data in the current tab to a file
+
+
+ Selected amount:
+ Selected amount:
+
+
+ Backup Wallet
+ Backup Wallet
+
+
+ Wallet Data (*.dat)
+ Wallet Data (*.dat)
+
+
+
+ XIonControlDialog
+
+ Select xION to Spend
+ Select xION to Spend
+
+
+ Quantity
+ Quantity
+
+
+ 0
+ 0
+
+
+ xION
+ xION
+
+
+ Select/Deselect All
+ Select/Deselect All
+
+
+
+ ion-core
+
+ (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data)
+ (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data)
+
+
+ Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times
+ Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times
+
+
+ Bind to given address and always listen on it. Use [host]:port notation for IPv6
+ Bind to given address and always listen on it. Use [host]:port notation for IPv6
+
+
+ Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6
+ Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6
+
+
+ Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces)
+ Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces)
+
+
+ Calculated accumulator checkpoint is not what is recorded by block index
+ Calculated accumulator checkpoint is not what is recorded by block index
+
+
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+
+
+ Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
+ Change automatic finalised budget voting behaviour. mode=auto: Vote for only exact finalised budget match to my generated budget. (string, default: auto)
+
+
+ Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u)
+ Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u)
+
+
+ Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality)
+ Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality)
+
+
+ Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup
+ Delete all wallet transactions and only recover those parts of the blockchain through -rescan on start up
+
+
+ Delete all zerocoin spends and mints that have been recorded to the blockchain database and reindex them (0-1, default: %u)
+ Delete all zerocoin spends and mints that have been recorded to the blockchain database and reindex them (0-1, default: %u)
+
+
+ Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>.
+ Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>.
+
+
+ Enable automatic wallet backups triggered after each xION minting (0-1, default: %u)
+ Enable automatic wallet backups triggered after each xION minting (0-1, default: %u)
+
+
+ Enable or disable staking functionality for ION inputs (0-1, default: %u)
+ Enable or disable staking functionality for ION inputs (0-1, default: %u)
+
+
+ Enable or disable staking functionality for xION inputs (0-1, default: %u)
+ Enable or disable staking functionality for xION inputs (0-1, default: %u)
+
+
+ Enable spork administration functionality with the appropriate private key.
+ Enable spork administration functionality with the appropriate private key.
+
+
+ Enter regression test mode, which uses a special chain in which blocks can be solved instantly.
+ Enter regression test mode, which uses a special chain in which blocks can be solved instantly.
+
+
+ Error: Listening for incoming connections failed (listen returned error %s)
+ Error: Listening for incoming connections failed (listen returned error %s)
+
+
+ Error: The transaction is larger than the maximum allowed transaction size!
+ Error: The transaction is larger than the maximum allowed transaction size!
+
+
+ Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported.
+ Error: Unsupported argument -socks found. Setting SOCKS version isn't possible any more, only SOCKS5 proxies are supported.
+
+
+ Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message)
+ Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message)
+
+
+ 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)
+
+
+ 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)
+
+
+ Fees (in ION/Kb) smaller than this are considered zero fee for relaying (default: %s)
+ Fees (in ION/Kb) smaller than this are considered zero fee for relaying (default: %s)
+
+
+ Fees (in ION/Kb) smaller than this are considered zero fee for transaction creation (default: %s)
+ Fees (in ION/Kb) smaller than this are considered zero fee for transaction creation (default: %s)
+
+
+ Flush database activity from memory pool to disk log every <n> megabytes (default: %u)
+ Flush database activity from memory pool to disk log every <n> megabytes (default: %u)
+
+
+ Found unconfirmed denominated outputs, will wait till they confirm to continue.
+ Found unconfirmed denominated outputs, will wait till they confirm to continue.
+
+
+ If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u)
+ If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u)
+
+
+ In this mode -genproclimit controls how many blocks are generated immediately.
+ In this mode -genproclimit controls how many blocks are generated immediately.
+
+
+ Insufficient or insufficient confirmed funds, you might need to wait a few minutes and try again.
+ Insufficient or insufficient confirmed funds, you might need to wait a few minutes and try again.
+
+
+ Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions)
+ Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions)
+
+
+ Keep the specified amount available for spending at all times (default: 0)
+ Keep the specified amount available for spending at all times (default: 0)
+
+
+ Log transaction priority and fee per kB when mining blocks (default: %u)
+ Log transaction priority and fee per kB when mining blocks (default: %u)
+
+
+ Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)
+ Maintain a full transaction index, used by the getrawtransaction RPC call (default: %u)
+
+
+ Maximum size of data in data carrier transactions we relay and mine (default: %u)
+ Maximum size of data in data carrier transactions we relay and mine (default: %u)
+
+
+ Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s)
+ Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s)
+
+
+ Number of seconds to keep misbehaving peers from reconnecting (default: %u)
+ Number of seconds to keep misbehaving peers from reconnecting (default: %u)
+
+
+ Obfuscation uses exact denominated amounts to send funds, you might simply need to anonymize some more coins.
+ Obfuscation uses exact denominated amounts to send funds, you might simply need to anonymise some more coins.
+
+
+ Output debugging information (default: %u, supplying <category> is optional)
+ Output debugging information (default: %u, supplying <category> is optional)
+
+
+ Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect)
+ Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect)
+
+
+ Randomize credentials for every proxy connection. This enables Tor stream isolation (default: %u)
+ Randomise credentials for every proxy connection. This enables Tor stream isolation (default: %u)
+
+
+ Require high priority for relaying free or low-fee transactions (default:%u)
+ Require high priority for relaying free or low-fee transactions (default:%u)
+
+
+ Send trace/debug info to console instead of debug.log file (default: %u)
+ Send trace/debug info to console instead of debug.log file (default: %u)
+
+
+ Set maximum size of high-priority/low-fee transactions in bytes (default: %d)
+ Set maximum size of high-priority/low-fee transactions in bytes (default: %d)
+
+
+ Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d)
+ Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d)
+
+
+ Set the number of threads for coin generation if enabled (-1 = all cores, default: %d)
+ Set the number of threads for coin generation if enabled (-1 = all cores, default: %d)
+
+
+ Show N confirmations for a successfully locked transaction (0-9999, default: %u)
+ Show N confirmations for a successfully locked transaction (0-9999, default: %u)
+
+
+ Support filtering of blocks and transaction with bloom filters (default: %u)
+ Support filtering of blocks and transaction with bloom filters (default: %u)
+
+
+ This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard.
+ This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard.
+
+
+ Total length of network version string (%i) exceeds maximum length (%i). Reduce the number or size of uacomments.
+ Total length of network version string (%i) exceeds maximum length (%i). Reduce the number or size of uacomments.
+
+
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Unable to bind to %s on this computer. ION Core is probably already running.
+
+
+ Unable to locate enough Obfuscation denominated funds for this transaction.
+ Unable to locate enough Obfuscation denominated funds for this transaction.
+
+
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+
+
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+
+
+ Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
+ Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
+
+
+ Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction.
+ Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction.
+
+
+ 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.
+
+
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+
+
+ Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
+ Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
+
+
+ Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade.
+ Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade.
+
+
+ Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.
+ Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.
+
+
+ Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.
+ Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.
+
+
+ Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times.
+ Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times.
+
+
+ Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway
+ Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway
+
+
+ You must specify a masternodeprivkey in the configuration. Please see documentation for help.
+ You must specify a masternodeprivkey in the configuration. Please see documentation for help.
+
+
+ (12700 could be used only on mainnet)
+ (12700 could be used only on mainnet)
+
+
+ (default: %s)
+ (default: %s)
+
+
+ (default: 1)
+ (default: 1)
+
+
+ (must be 12700 for mainnet)
+ (must be 12700 for mainnet)
+
+
+ Accept command line and JSON-RPC commands
+ Accept command line and JSON-RPC commands
+
+
+ Accept connections from outside (default: 1 if no -proxy or -connect)
+ Accept connections from outside (default: 1 if no -proxy or -connect)
+
+
+ Accept public REST requests (default: %u)
+ Accept public REST requests (default: %u)
+
+
+ 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
+
+
+ Allow DNS lookups for -addnode, -seednode and -connect
+ Allow DNS lookups for -addnode, -seednode and -connect
+
+
+ Already have that input.
+ Already have that input.
+
+
+ Always query for peer addresses via DNS lookup (default: %u)
+ Always query for peer addresses via DNS lookup (default: %u)
+
+
+ Append comment to the user agent string
+ Append comment to the user agent string
+
+
+ Attempt to recover private keys from a corrupt wallet.dat
+ Attempt to recover private keys from a corrupt wallet.dat
+
+
+ Automatically create Tor hidden service (default: %d)
+ Automatically create Tor hidden service (default: %d)
+
+
+ Block creation options:
+ Block creation options:
+
+
+ Calculating missing accumulators...
+ Calculating missing accumulators...
+
+
+ Can't denominate: no compatible inputs left.
+ Can't denominate: no compatible inputs left.
+
+
+ Can't find random Masternode.
+ Can't find random Masternode.
+
+
+ Can't mix while sync in progress.
+ Can't mix while sync in progress.
+
+
+ Cannot downgrade wallet
+ Cannot downgrade wallet
+
+
+ Cannot resolve -bind address: '%s'
+ Cannot resolve -bind address: '%s'
+
+
+ Cannot resolve -externalip address: '%s'
+ Cannot resolve -externalip address: '%s'
+
+
+ Cannot resolve -whitebind address: '%s'
+ Cannot resolve -whitebind address: '%s'
+
+
+ Cannot write default address
+ Cannot write default address
+
+
+ Collateral not valid.
+ Collateral not valid.
+
+
+ Connect only to the specified node(s)
+ Connect only to the specified node(s)
+
+
+ Connect through SOCKS5 proxy
+ Connect through SOCKS5 proxy
+
+
+ Connect to a node to retrieve peer addresses, and disconnect
+ Connect to a node to retrieve peer addresses, and disconnect
+
+
+ Connection options:
+ Connection options:
+
+
+ Copyright (C) 2009-%i The Bitcoin Core Developers
+ Copyright (C) 2009-%i The Bitcoin Core Developers
+
+
+ Copyright (C) 2014-%i The Dash Core Developers
+ Copyright (C) 2014-%i The Dash Core Developers
+
+
+ Copyright (C) 2015-%i The PIVX Core Developers
+ Copyright (C) 2015-%i The PIVX Core Developers
+
+
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+
+
+ Corrupted block database detected
+ Corrupted block database detected
+
+
+ Could not parse masternode.conf
+ Could not parse masternode.conf
+
+
+ Debugging/Testing options:
+ Debugging/Testing options:
+
+
+ Delete blockchain folders and resync from scratch
+ Delete blockchain folders and resync from scratch
+
+
+ Disable OS notifications for incoming transactions (default: %u)
+ Disable OS notifications for incoming transactions (default: %u)
+
+
+ Disable safemode, override a real safe mode event (default: %u)
+ Disable safe mode, override a real safe mode event (default: %u)
+
+
+ Discover own IP address (default: 1 when listening and no -externalip)
+ Discover own IP address (default: 1 when listening and no -externalip)
+
+
+ Do not load the wallet and disable wallet RPC calls
+ Do not load the wallet and disable wallet RPC calls
+
+
+ Do you want to rebuild the block database now?
+ Do you want to rebuild the block database now?
+
+
+ Done loading
+ Done loading
+
+
+ Enable automatic Zerocoin minting (0-1, default: %u)
+ Enable automatic Zerocoin minting (0-1, default: %u)
+
+
+ Enable publish hash transaction (locked via SwiftX) in <address>
+ Enable publish hash transaction (locked via SwiftX) in <address>
+
+
+ Enable publish raw transaction (locked via SwiftX) in <address>
+ Enable publish raw transaction (locked via SwiftX) in <address>
+
+
+ Enable the client to act as a masternode (0-1, default: %u)
+ Enable the client to act as a masternode (0-1, default: %u)
+
+
+ Entries are full.
+ Entries are full.
+
+
+ Error connecting to Masternode.
+ Error connecting to Masternode.
+
+
+ Error initializing block database
+ Error initialising block database
+
+
+ Error initializing wallet database environment %s!
+ Error initialising wallet database environment %s!
+
+
+ Error loading block database
+ Error loading block database
+
+
+ Error loading wallet.dat
+ Error loading wallet.dat
+
+
+ Error loading wallet.dat: Wallet corrupted
+ Error loading wallet.dat: Wallet corrupted
+
+
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+
+
+ Error opening block database
+ Error opening block database
+
+
+ Error reading from database, shutting down.
+ Error reading from database, shutting down.
+
+
+ Error recovering public key.
+ Error recovering public key.
+
+
+ Error writing zerocoinDB to disk
+ Error writing zerocoinDB to disk
+
+
+ Error
+ Error
+
+
+ Error: A fatal internal error occured, see debug.log for details
+ Error: A fatal internal error occurred, see debug.log for details
+
+
+ Error: Can't select current denominated inputs
+ Error: Can't select current denominated inputs
+
+
+ Error: Disk space is low!
+ Error: Disk space is low!
+
+
+ Error: Unsupported argument -tor found, use -onion.
+ Error: Unsupported argument -tor found, use -onion.
+
+
+ Error: Wallet locked, unable to create transaction!
+ Error: Wallet locked, unable to create transaction!
+
+
+ Error: You already have pending entries in the Obfuscation pool
+ Error: You already have pending entries in the Obfuscation pool
+
+
+ Failed to calculate accumulator checkpoint
+ Failed to calculate accumulator checkpoint
+
+
+ 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.
+
+
+ Failed to parse host:port string
+ Failed to parse host:port string
+
+
+ Failed to read block
+ Failed to read block
+
+
+ Fee (in ION/kB) to add to transactions you send (default: %s)
+ Fee (in ION/kB) to add to transactions you send (default: %s)
+
+
+ Finalizing transaction.
+ Finalising transaction.
+
+
+ Force safe mode (default: %u)
+ Force safe mode (default: %u)
+
+
+ Found enough users, signing ( waiting %s )
+ Found enough users, signing ( waiting %s )
+
+
+ Found enough users, signing ...
+ Found enough users, signing ...
+
+
+ Generate coins (default: %u)
+ Generate coins (default: %u)
+
+
+ How many blocks to check at startup (default: %u, 0 = all)
+ How many blocks to check at start up (default: %u, 0 = all)
+
+
+ If <category> is not supplied, output all debugging information.
+ If <category> is not supplied, output all debugging information.
+
+
+ Importing...
+ Importing...
+
+
+ Imports blocks from external blk000??.dat file
+ Imports blocks from external blk000??.dat file
+
+
+ Include IP addresses in debug output (default: %u)
+ Include IP addresses in debug output (default: %u)
+
+
+ Incompatible mode.
+ Incompatible mode.
+
+
+ Incompatible version.
+ Incompatible version.
+
+
+ Incorrect or no genesis block found. Wrong datadir for network?
+ Incorrect or no genesis block found. Wrong datadir for network?
+
+
+ Information
+ Information
+
+
+ Initialization sanity check failed. ION Core is shutting down.
+ Initialisation sanity check failed. ION Core is shutting down.
+
+
+ Input is not valid.
+ Input is not valid.
+
+
+ Insufficient funds
+ Insufficient funds
+
+
+ Insufficient funds.
+ Insufficient funds.
+
+
+ Invalid -onion address or hostname: '%s'
+ Invalid -onion address or hostname: '%s'
+
+
+ Invalid amount for -maxtxfee=<amount>: '%s'
+ Invalid amount for -maxtxfee=<amount>: '%s'
+
+
+ Invalid amount for -minrelaytxfee=<amount>: '%s'
+ Invalid amount for -minrelaytxfee=<amount>: '%s'
+
+
+ Invalid amount for -mintxfee=<amount>: '%s'
+ Invalid amount for -mintxfee=<amount>: '%s'
+
+
+ Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s)
+ Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s)
+
+
+ Invalid amount for -paytxfee=<amount>: '%s'
+ Invalid amount for -paytxfee=<amount>: '%s'
+
+
+ Invalid amount for -reservebalance=<amount>
+ Invalid amount for -reservebalance=<amount>
+
+
+ Invalid amount
+ Invalid amount
+
+
+ Invalid masternodeprivkey. Please see documenation.
+ Invalid masternodeprivkey. Please see documentation.
+
+
+ Invalid netmask specified in -whitelist: '%s'
+ Invalid netmask specified in -whitelist: '%s'
+
+
+ Invalid port detected in masternode.conf
+ Invalid port detected in masternode.conf
+
+
+ Invalid private key.
+ Invalid private key.
+
+
+ Invalid script detected.
+ Invalid script detected.
+
+
+ Percentage of automatically minted Zerocoin (1-100, default: %u)
+ Percentage of automatically minted Zerocoin (1-100, default: %u)
+
+
+ Reindex the ION and xION money supply statistics
+ Reindex the ION and xION money supply statistics
+
+
+ Reindexing zerocoin database...
+ Reindexing zerocoin database...
+
+
+ Reindexing zerocoin failed
+ Reindexing zerocoin failed
+
+
+ Selected coins value is less than payment target
+ Selected coins value is less than payment target
+
+
+ SwiftX options:
+ SwiftX options:
+
+
+ This is a pre-release test build - use at your own risk - do not use for staking or merchant applications!
+ This is a pre-release test build - use at your own risk - do not use for staking or merchant applications!
+
+
+ mints deleted
+
+ mints deleted
+
+
+
+ mints updated,
+ mints updated,
+
+
+ unconfirmed transactions removed
+
+ unconfirmed transactions removed
+
+
+
+ Disable all ION specific functionality (Masternodes, Zerocoin, SwiftX, Budgeting) (0-1, default: %u)
+ Disable all ION specific functionality (Masternodes, Zerocoin, SwiftX, Budgeting) (0-1, default: %u)
+
+
+ Enable SwiftX, show confirmations for locked transactions (bool, default: %s)
+ Enable SwiftX, show confirmations for locked transactions (bool, default: %s)
+
+
+ Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.
+ Error: 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: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds!
+ Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds!
+
+
+ Error: Unsupported argument -checklevel found. Checklevel must be level 4.
+ Error: Unsupported argument -checklevel found. Checklevel must be level 4.
+
+
+ Execute command when the best block changes and its size is over (%s in cmd is replaced by block hash, %d with the block size)
+ Execute command when the best block changes and its size is over (%s in cmd is replaced by block hash, %d with the block size)
+
+
+ Failed to find coin set amongst held coins with less than maxNumber of Spends
+ Failed to find coin set amongst held coins with less than maxNumber of Spends
+
+
+ In rare cases, a spend with 7 coins exceeds our maximum allowable transaction size, please retry spend using 6 or less coins
+ In rare cases, a spend with 7 coins exceeds our maximum allowable transaction size, please retry spend using 6 or less coins
+
+
+ Preferred Denomination for automatically minted Zerocoin (1/5/10/50/100/500/1000/5000), 0 for no preference. default: %u)
+ Preferred Denomination for automatically minted Zerocoin (1/5/10/50/100/500/1000/5000), 0 for no preference. default: %u)
+
+
+ Specify custom backup path to add a copy of any automatic xION backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup. If backuppath is set as well, 4 backups will happen
+ Specify custom backup path to add a copy of any automatic xION backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup. If backuppath is set as well, 4 backups will happen
+
+
+ Specify custom backup path to add a copy of any wallet backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup.
+ Specify custom backup path to add a copy of any wallet backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup.
+
+
+ SwiftX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again.
+ SwiftX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again.
+
+
+ <category> can be:
+ <category> can be:
+
+
+ Attempt to force blockchain corruption recovery
+ Attempt to force blockchain corruption recovery
+
+
+ CoinSpend: Accumulator witness does not verify
+ CoinSpend: Accumulator witness does not verify
+
+
+ Display the stake modifier calculations in the debug.log file.
+ Display the stake modifier calculations in the debug.log file.
+
+
+ Display verbose coin stake messages in the debug.log file.
+ Display verbose coin stake messages in the debug.log file.
+
+
+ Enable publish hash block in <address>
+ Enable publish hash block in <address>
+
+
+ Enable publish hash transaction in <address>
+ Enable publish hash transaction in <address>
+
+
+ Enable publish raw block in <address>
+ Enable publish raw block in <address>
+
+
+ Enable publish raw transaction in <address>
+ Enable publish raw transaction in <address>
+
+
+ Enable staking functionality (0-1, default: %u)
+ Enable staking functionality (0-1, default: %u)
+
+
+ Error: A fatal internal error occurred, see debug.log for details
+ Error: A fatal internal error occurred, see debug.log for details
+
+
+ Error: No valid utxo!
+ Error: No valid utxo!
+
+
+ Failed to create mint
+ Failed to create mint
+
+
+ Failed to find Zerocoins in wallet.dat
+ Failed to find Zerocoins in wallet.dat
+
+
+ Failed to select a zerocoin
+ Failed to select a zerocoin
+
+
+ Failed to wipe zerocoinDB
+ Failed to wipe zerocoinDB
+
+
+ Failed to write coin serial number into wallet
+ Failed to write coin serial number into wallet
+
+
+ Keep at most <n> unconnectable transactions in memory (default: %u)
+ Keep at most <n> unconnectable transactions in memory (default: %u)
+
+
+ Last Obfuscation was too recent.
+ Last Obfuscation was too recent.
+
+
+ Last successful Obfuscation action was too recent.
+ Last successful Obfuscation action was too recent.
+
+
+ Limit size of signature cache to <n> entries (default: %u)
+ Limit size of signature cache to <n> entries (default: %u)
+
+
+ Line: %d
+ Line: %d
+
+
+ Listen for JSON-RPC connections on <port> (default: %u or testnet: %u)
+ Listen for JSON-RPC connections on <port> (default: %u or testnet: %u)
+
+
+ Listen for connections on <port> (default: %u or testnet: %u)
+ Listen for connections on <port> (default: %u or testnet: %u)
+
+
+ Loading addresses...
+ Loading addresses...
+
+
+ Loading block index...
+ Loading block index...
+
+
+ Loading budget cache...
+ Loading budget cache...
+
+
+ Loading masternode cache...
+ Loading masternode cache...
+
+
+ Loading masternode payment cache...
+ Loading masternode payment cache...
+
+
+ Loading sporks...
+ Loading sporks...
+
+
+ Loading wallet... (%3.2f %%)
+ Loading wallet... (%3.2f %%)
+
+
+ Loading wallet...
+ Loading wallet...
+
+
+ Location of the auth cookie (default: data dir)
+ Location of the auth cookie (default: data dir)
+
+
+ Lock is already in place.
+ Lock is already in place.
+
+
+ Lock masternodes from masternode configuration file (default: %u)
+ Lock masternodes from masternode configuration file (default: %u)
+
+
+ Lookup(): Invalid -proxy address or hostname: '%s'
+ Lookup(): Invalid -proxy address or hostname: '%s'
+
+
+ Maintain at most <n> connections to peers (default: %u)
+ Maintain at most <n> connections to peers (default: %u)
+
+
+ Masternode options:
+ Masternode options:
+
+
+ Masternode queue is full.
+ Masternode queue is full.
+
+
+ Masternode:
+ Masternode:
+
+
+ Maximum per-connection receive buffer, <n>*1000 bytes (default: %u)
+ Maximum per-connection receive buffer, <n>*1000 bytes (default: %u)
+
+
+ Maximum per-connection send buffer, <n>*1000 bytes (default: %u)
+ Maximum per-connection send buffer, <n>*1000 bytes (default: %u)
+
+
+ Mint did not make it into blockchain
+ Mint did not make it into blockchain
+
+
+ Missing input transaction information.
+ Missing input transaction information.
+
+
+ Mixing in progress...
+ Mixing in progress...
+
+
+ Need address because change is not exact
+ Need address because change is not exact
+
+
+ Need to specify a port with -whitebind: '%s'
+ Need to specify a port with -whitebind: '%s'
+
+
+ No Masternodes detected.
+ No Masternodes detected.
+
+
+ No compatible Masternode found.
+ No compatible Masternode found.
+
+
+ No funds detected in need of denominating.
+ No funds detected in need of denominating.
+
+
+ No matching denominations found for mixing.
+ No matching denominations found for mixing.
+
+
+ Node relay options:
+ Node relay options:
+
+
+ Non-standard public key detected.
+ Non-standard public key detected.
+
+
+ Not compatible with existing transactions.
+ Not compatible with existing transactions.
+
+
+ Not enough file descriptors available.
+ Not enough file descriptors available.
+
+
+ Not in the Masternode list.
+ Not in the Masternode list.
+
+
+ Number of automatic wallet backups (default: 10)
+ Number of automatic wallet backups (default: 10)
+
+
+ Number of custom location backups to retain (default: %d)
+ Number of custom location backups to retain (default: %d)
+
+
+ Obfuscation is idle.
+ Obfuscation is idle.
+
+
+ Obfuscation request complete:
+ Obfuscation request complete:
+
+
+ Obfuscation request incomplete:
+ Obfuscation request incomplete:
+
+
+ Only accept block chain matching built-in checkpoints (default: %u)
+ Only accept block chain matching built-in checkpoints (default: %u)
+
+
+ Only connect to nodes in network <net> (ipv4, ipv6 or onion)
+ Only connect to nodes in network <net> (ipv4, ipv6 or onion)
+
+
+ Options:
+ Options:
+
+
+ Password for JSON-RPC connections
+ Password for JSON-RPC connections
+
+
+ isValid(): Invalid -proxy address or hostname: '%s'
+ isValid(): Invalid -proxy address or hostname: '%s'
+
+
+ Preparing for resync...
+ Preparing for resync...
+
+
+ Prepend debug output with timestamp (default: %u)
+ Prepend debug output with timestamp (default: %u)
+
+
+ Print version and exit
+ Print version and exit
+
+
+ RPC server options:
+ RPC server options:
+
+
+ Randomly drop 1 of every <n> network messages
+ Randomly drop 1 of every <n> network messages
+
+
+ Randomly fuzz 1 of every <n> network messages
+ Randomly fuzz 1 of every <n> network messages
+
+
+ Rebuild block chain index from current blk000??.dat files
+ Rebuild block chain index from current blk000??.dat files
+
+
+ Receive and display P2P network alerts (default: %u)
+ Receive and display P2P network alerts (default: %u)
+
+
+ Reindex the accumulator database
+ Reindex the accumulator database
+
+
+ Relay and mine data carrier transactions (default: %u)
+ Relay and mine data carrier transactions (default: %u)
+
+
+ Relay non-P2SH multisig (default: %u)
+ Relay non-P2SH multisig (default: %u)
+
+
+ Rescan the block chain for missing wallet transactions
+ Rescan the block chain for missing wallet transactions
+
+
+ Rescanning...
+ Rescanning...
+
+
+ ResetMintZerocoin finished:
+ ResetMintZerocoin finished:
+
+
+ ResetSpentZerocoin finished:
+ ResetSpentZerocoin finished:
+
+
+ Run a thread to flush wallet periodically (default: %u)
+ Run a thread to flush wallet periodically (default: %u)
+
+
+ Run in the background as a daemon and accept commands
+ Run in the background as a daemon and accept commands
+
+
+ Send transactions as zero-fee transactions if possible (default: %u)
+ Send transactions as zero-fee transactions if possible (default: %u)
+
+
+ Session not complete!
+ Session not complete!
+
+
+ Session timed out.
+ Session timed out.
+
+
+ Set database cache size in megabytes (%d to %d, default: %d)
+ Set database cache size in megabytes (%d to %d, default: %d)
+
+
+ Set external address:port to get to this masternode (example: %s)
+ Set external address:port to get to this masternode (example: %s)
+
+
+ Set key pool size to <n> (default: %u)
+ Set key pool size to <n> (default: %u)
+
+
+ Set maximum block size in bytes (default: %d)
+ Set maximum block size in bytes (default: %d)
+
+
+ Set minimum block size in bytes (default: %u)
+ Set minimum block size in bytes (default: %u)
+
+
+ Set the Maximum reorg depth (default: %u)
+ Set the Maximum reorg depth (default: %u)
+
+
+ Set the masternode private key
+ Set the masternode private key
+
+
+ Set the number of threads to service RPC calls (default: %d)
+ Set the number of threads to service RPC calls (default: %d)
+
+
+ Sets the DB_PRIVATE flag in the wallet db environment (default: %u)
+ Sets the DB_PRIVATE flag in the wallet db environment (default: %u)
+
+
+ Show all debugging options (usage: --help -help-debug)
+ Show all debugging options (usage: --help -help-debug)
+
+
+ Shrink debug.log file on client startup (default: 1 when no -debug)
+ Shrink debug.log file on client start up (default: 1 when no -debug)
+
+
+ Signing failed.
+ Signing failed.
+
+
+ Signing timed out.
+ Signing timed out.
+
+
+ Signing transaction failed
+ Signing transaction failed
+
+
+ Specify configuration file (default: %s)
+ Specify configuration file (default: %s)
+
+
+ Specify connection timeout in milliseconds (minimum: 1, default: %d)
+ Specify connection timeout in milliseconds (minimum: 1, default: %d)
+
+
+ Specify data directory
+ Specify data directory
+
+
+ Specify masternode configuration file (default: %s)
+ Specify masternode configuration file (default: %s)
+
+
+ Specify pid file (default: %s)
+ Specify pid file (default: %s)
+
+
+ Specify wallet file (within data directory)
+ Specify wallet file (within data directory)
+
+
+ Specify your own public address
+ Specify your own public address
+
+
+ Spend Valid
+ Spend Valid
+
+
+ Spend unconfirmed change when sending transactions (default: %u)
+ Spend unconfirmed change when sending transactions (default: %u)
+
+
+ Staking options:
+ Staking options:
+
+
+ Stop running after importing blocks from disk (default: %u)
+ Stop running after importing blocks from disk (default: %u)
+
+
+ Submitted following entries to masternode: %u / %d
+ Submitted following entries to masternode: %u / %d
+
+
+ Submitted to masternode, waiting for more entries ( %u / %d ) %s
+ Submitted to masternode, waiting for more entries ( %u / %d ) %s
+
+
+ Submitted to masternode, waiting in queue %s
+ Submitted to masternode, waiting in queue %s
+
+
+ Synchronization failed
+ Synchronisation failed
+
+
+ Synchronization finished
+ Synchronisation finished
+
+
+ Synchronization pending...
+ Synchronisation pending...
+
+
+ Synchronizing budgets...
+ Synchronising budgets...
+
+
+ Synchronizing masternode winners...
+ Synchronising masternode winners...
+
+
+ Synchronizing masternodes...
+ Synchronising masternodes...
+
+
+ Synchronizing sporks...
+ Synchronising sporks...
+
+
+ Syncing xION wallet...
+ Syncing xION wallet...
+
+
+ The coin spend has been used
+ The coin spend has been used
+
+
+ The transaction did not verify
+ The transaction did not verify
+
+
+ This help message
+ This help message
+
+
+ This is experimental software.
+ This is experimental software.
+
+
+ This is intended for regression testing tools and app development.
+ This is intended for regression testing tools and app development.
+
+
+ This is not a Masternode.
+ This is not a Masternode.
+
+
+ Threshold for disconnecting misbehaving peers (default: %u)
+ Threshold for disconnecting misbehaving peers (default: %u)
+
+
+ Too many spends needed
+ Too many spends needed
+
+
+ Tor control port password (default: empty)
+ Tor control port password (default: empty)
+
+
+ Tor control port to use if onion listening enabled (default: %s)
+ Tor control port to use if onion listening enabled (default: %s)
+
+
+ Transaction Created
+ Transaction Created
+
+
+ Transaction Mint Started
+ Transaction Mint Started
+
+
+ Transaction amount too small
+ Transaction amount too small
+
+
+ Transaction amounts must be positive
+ Transaction amounts must be positive
+
+
+ Transaction created successfully.
+ Transaction created successfully.
+
+
+ Transaction fees are too high.
+ Transaction fees are too high.
+
+
+ Transaction not valid.
+ Transaction not valid.
+
+
+ Transaction too large for fee policy
+ Transaction too large for fee policy
+
+
+ Transaction too large
+ Transaction too large
+
+
+ Transmitting final transaction.
+ Transmitting final transaction.
+
+
+ Try to spend with a higher security level to include more coins
+ Try to spend with a higher security level to include more coins
+
+
+ Trying to spend an already spent serial #, try again.
+ Trying to spend an already spent serial #, try again.
+
+
+ Unable to bind to %s on this computer (bind returned error %s)
+ Unable to bind to %s on this computer (bind returned error %s)
+
+
+ Unable to find transaction containing mint
+ Unable to find transaction containing mint
+
+
+ Unable to sign spork message, wrong key?
+ Unable to sign spork message, wrong key?
+
+
+ Unable to start HTTP server. See debug log for details.
+ Unable to start HTTP server. See debug log for details.
+
+
+ Unknown network specified in -onlynet: '%s'
+ Unknown network specified in -onlynet: '%s'
+
+
+ Unknown state: id = %u
+ Unknown state: id = %u
+
+
+ Upgrade wallet to latest format
+ Upgrade wallet to latest format
+
+
+ Use UPnP to map the listening port (default: %u)
+ Use UPnP to map the listening port (default: %u)
+
+
+ Use UPnP to map the listening port (default: 1 when listening)
+ Use UPnP to map the listening port (default: 1 when listening)
+
+
+ Use a custom max chain reorganization depth (default: %u)
+ Use a custom max chain reorganisation depth (default: %u)
+
+
+ Use the test network
+ Use the test network
+
+
+ User Agent comment (%s) contains unsafe characters.
+ User Agent comment (%s) contains unsafe characters.
+
+
+ Username for JSON-RPC connections
+ Username for JSON-RPC connections
+
+
+ Value is below the smallest available denomination (= 1) of xION
+ Value is below the smallest available denomination (= 1) of xION
+
+
+ Value more than Obfuscation pool maximum allows.
+ Value more than Obfuscation pool maximum allows.
+
+
+ Verifying blocks...
+ Verifying blocks...
+
+
+ Verifying wallet...
+ Verifying wallet...
+
+
+ Wallet %s resides outside data directory %s
+ Wallet %s resides outside data directory %s
+
+
+ Wallet is locked.
+ Wallet is locked.
+
+
+ Wallet needed to be rewritten: restart ION Core to complete
+ Wallet needed to be rewritten: restart ION Core to complete
+
+
+ Wallet options:
+ Wallet options:
+
+
+ Wallet window title
+ Wallet window title
+
+
+ Warning
+ Warning
+
+
+ Warning: This version is obsolete, upgrade required!
+ Warning: This version is obsolete, upgrade required!
+
+
+ Warning: Unsupported argument -benchmark ignored, use -debug=bench.
+ Warning: Unsupported argument -benchmark ignored, use -debug=bench.
+
+
+ Warning: Unsupported argument -debugnet ignored, use -debug=net.
+ Warning: Unsupported argument -debugnet ignored, use -debug=net.
+
+
+ Will retry...
+ Will retry...
+
+
+ You don't have enough Zerocoins in your wallet
+ You don't have enough Zerocoins in your wallet
+
+
+ You need to rebuild the database using -reindex to change -txindex
+ You need to rebuild the database using -reindex to change -txindex
+
+
+ Your entries added successfully.
+ Your entries added successfully.
+
+
+ Your transaction was accepted into the pool!
+ Your transaction was accepted into the pool!
+
+
+ Zapping all transactions from wallet...
+ Zapping all transactions from wallet...
+
+
+ ZeroMQ notification options:
+ ZeroMQ notification options:
+
+
+ Zerocoin options:
+ Zerocoin options:
+
+
+ on startup
+ on start up
+
+
+ wallet.dat corrupt, salvage failed
+ wallet.dat corrupt, salvage failed
+
+
+
\ No newline at end of file
diff --git a/src/qt/locale/ion_en_US.ts b/src/qt/locale/ion_en_US.ts
index 041ac32beb3cd..0c6d2b36f9dad 100644
--- a/src/qt/locale/ion_en_US.ts
+++ b/src/qt/locale/ion_en_US.ts
@@ -602,8 +602,8 @@
Tabs toolbar
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -622,12 +622,12 @@
Browse masternodes
- &About Ion Core
- &About Ion Core
+ &About ION Core
+ &About ION Core
- Show information about Ion Core
- Show information about Ion Core
+ Show information about ION Core
+ Show information about ION Core
Modify configuration options for ION
@@ -682,12 +682,12 @@
Block explorer window
- Show the Ion Core help message to get a list with possible ION command-line options
- Show the Ion Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
- Ion Core client
- Ion Core client
+ ION Core client
+ ION Core client
%n active connection(s) to ION network
@@ -1184,16 +1184,16 @@ Address: %4
version
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- About Ion Core
+ About ION Core
+ About ION Core
Command-line options
@@ -1239,16 +1239,16 @@ Address: %4
Welcome
- Welcome to Ion Core.
- Welcome to Ion Core.
+ Welcome to ION Core.
+ Welcome to ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
Use the default data directory
@@ -1259,8 +1259,8 @@ Address: %4
Use a custom data directory:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1544,32 +1544,32 @@ Please check the address and try again.
Please select a privacy level.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Use 2 separate masternodes to mix funds up to 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
Use 16 separate masternodes
Use 16 separate masternodes
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
This is the slowest and most secure option. Using maximum anonymity will cost
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION per 10000 ION you anonymize.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION per 20000 ION you anonymize.
Obfuscation Configuration
@@ -3126,8 +3126,8 @@ https://www.transifex.com/ioncoincore/ioncore
ShutdownWindow
- Ion Core is shutting down...
- Ion Core is shutting down...
+ ION Core is shutting down...
+ ION Core is shutting down...
Do not shut down the computer until this window disappears.
@@ -3276,8 +3276,8 @@ https://www.transifex.com/ioncoincore/ioncore
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -3292,8 +3292,8 @@ https://www.transifex.com/ioncoincore/ioncore
The Dash Core developers
- The Ion Core developers
- The Ion Core developers
+ The ION Core developers
+ The ION Core developers
[testnet]
@@ -3910,8 +3910,8 @@ https://www.transifex.com/ioncoincore/ioncore
Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces)
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -4106,20 +4106,20 @@ for example: alertnotify=echo %%s | mail -s "ION Alert" admin@foo.com
- Unable to bind to %s on this computer. Ion Core is probably already running.
- Unable to bind to %s on this computer. Ion Core is probably already running.
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Unable to bind to %s on this computer. ION Core is probably already running.
Unable to locate enough Obfuscation denominated funds for this transaction.
Unable to locate enough Obfuscation denominated funds for this transaction.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -4134,8 +4134,8 @@ for example: alertnotify=echo %%s | mail -s "ION Alert" admin@foo.com
Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
@@ -4286,8 +4286,8 @@ for example: alertnotify=echo %%s | mail -s "ION Alert" admin@foo.com
Copyright (C) 2015-%i The PIVX Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
Corrupted block database detected
@@ -4358,8 +4358,8 @@ for example: alertnotify=echo %%s | mail -s "ION Alert" admin@foo.com
Error loading wallet.dat: Wallet corrupted
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Error loading wallet.dat: Wallet requires newer version of Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
Error opening block database
@@ -4470,8 +4470,8 @@ for example: alertnotify=echo %%s | mail -s "ION Alert" admin@foo.com
Information
- Initialization sanity check failed. Ion Core is shutting down.
- Initialization sanity check failed. Ion Core is shutting down.
+ Initialization sanity check failed. ION Core is shutting down.
+ Initialization sanity check failed. ION Core is shutting down.
Input is not valid.
@@ -4634,8 +4634,8 @@ for example: alertnotify=echo %%s | mail -s "ION Alert" admin@foo.com
Loading masternode payment cache...
- Loading wallet... (%3.1f %%)
- Loading wallet... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Loading wallet... (%3.2f %%)
Loading wallet...
@@ -5090,8 +5090,8 @@ for example: alertnotify=echo %%s | mail -s "ION Alert" admin@foo.com
Wallet is locked.
- Wallet needed to be rewritten: restart Ion Core to complete
- Wallet needed to be rewritten: restart Ion Core to complete
+ Wallet needed to be rewritten: restart ION Core to complete
+ Wallet needed to be rewritten: restart ION Core to complete
Wallet options:
diff --git a/src/qt/locale/ion_eo.ts b/src/qt/locale/ion_eo.ts
index 95d70c54b1dfe..4f13b15976875 100644
--- a/src/qt/locale/ion_eo.ts
+++ b/src/qt/locale/ion_eo.ts
@@ -608,10 +608,6 @@
&Command-line options
&Komando-linio opcioj
-
- Processed %n blocks of transaction history.
- %n bloko de tansakcio historo procesita%n blokoj de tansakcio historo procesita
-
Synchronizing additional data: %p%
Ĝisdatiĝante pliaj datumo: %p%
@@ -645,7 +641,7 @@
Iloj langeto
- Ion Core
+ ION Core
ION kerno
@@ -669,11 +665,11 @@
Foliumi mastro-nodo
- &About Ion Core
+ &About ION Core
&Pri ION Kerno
- Show information about Ion Core
+ Show information about ION Core
Montri informon pri ION Kerno
@@ -729,17 +725,13 @@
Bloko esplorilo fenestro
- Show the Ion Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
Montri la ION Kore help-mesaĝo por havi liston de havebla ION komandlinion opciojn
- Ion Core client
+ ION Core client
ION Kerno kliento
-
- %n active connection(s) to ION network
- %n aktiva ligo(j) al la ION reto%n aktiva ligo(j) al la ION reto
-
Synchronizing with network...
Ĝisdatiĝante kun reto...
@@ -760,26 +752,10 @@
Up to date
Ĝisdata
-
- %n hour(s)
- %n horo%n horoj
-
-
- %n day(s)
- %n tago%n tagoj
-
-
- %n week(s)
- %n semajno%n semajnoj
-
%1 and %2
%1 kaj %2
-
- %n year(s)
- %n jaro%n jaroj
-
Catching up...
Kaptante...
@@ -864,7 +840,7 @@ Muktisendi: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Monujo estas <b>ĉifrita</b> kaj nuntempe <b>ŝlosita</b>
-
+
BlockExplorer
@@ -1216,6 +1192,17 @@ Muktisendi: %1
Ne povas krei datumoj dosierujo ĉi tie.
+
+ GovernancePage
+
+ Form
+ Formo
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1223,7 +1210,7 @@ Muktisendi: %1
versio
- Ion Core
+ ION Core
ION kerno
@@ -1231,7 +1218,7 @@ Muktisendi: %1
(%1-bajto)
- About Ion Core
+ About ION Core
Pri ION Kerno
@@ -1274,15 +1261,15 @@ Muktisendi: %1
Bonvenon
- Welcome to Ion Core.
+ Welcome to ION Core.
Bonvenon al la ION Kerno.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
Ĉar estas la unuan fojon ke la programo estas lanĉita, vi povas elekti kie ION kernk storigis sian datumojn.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
ION kerno elŝutos kaj konservi kopion de la ION blokĉeno. Almenaŭ %1GB datumoj stokitos en ĉi tiun dosierujo, kaj ĝi kresko kun la tempo. Monujo stokitos en ĉi tiun dosierujo.
@@ -1294,7 +1281,7 @@ Muktisendi: %1
Uzi kutimon datumojn dosierujo:
- Ion Core
+ ION Core
ION kerno
@@ -1459,44 +1446,10 @@ Muktisendi: %1
(no label)
(neniu etikedo)
-
- The entered address:
-
- La enirita adreson:
-
-
-
- is invalid.
-Please check the address and try again.
- estas nevalida
-Bonvolu kontroku la adreson kaj riprovu
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- Totala sumo de via multisendo vektoro estas super 100% de via stako rekompenco
-
-
Please Enter 1 - 100 for percent.
Bonvolu eniru 1 - 100 por porcento.
-
- MultiSend Vector
-
- Multisendo vektoro
-
-
-
- Removed
- Forigita
-
-
- Could not locate address
-
- Ne eblis loki adreson
-
-
MultisigDialog
@@ -1550,7 +1503,7 @@ Bonvolu kontroku la adreson kaj riprovu
Amount:
- Kvanto
+ Kvanto:
Add an input to fund the outputs
@@ -1628,12 +1581,12 @@ Bonvolu kontroku la adreson kaj riprovu
Bonvolu elekti privata nivelo.
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Tion opcion estas la plej rapida kaji kostos ~0.025 ION por anonimigi 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Tion opcion estas la plej rapida kaji kostos ~0.025 ION por anonimigi 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Tion opcion estas moderebla rapide kaj kostos ĉirkaŭ 0.05 ION por anonimigi 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Tion opcion estas moderebla rapide kaj kostos ĉirkaŭ 0.05 ION por anonimigi 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
@@ -1887,7 +1840,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Amount:
- Kvanto
+ Kvanto:
xION Control
@@ -1923,7 +1876,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Choose previously used address
- Elektu antaŭan uzatan adreson
+ Elektu antaŭe uzatan adreson
Alt+A
@@ -1949,7 +1902,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Priority:
- Prioritato
+ Prioritato:
TextLabel
@@ -1961,7 +1914,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
no
- no
+ ne
Bytes:
@@ -1977,7 +1930,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Change:
- Ŝanĝo:
+ Ŝanĝu:
Copy quantity
@@ -2020,6 +1973,9 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
adreso:
+
+ ProposalFrame
+
QObject
@@ -2038,6 +1994,10 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
UNKNOWN
NEKONATA
+
+ ION Core
+ ION kerno
+
QRImageWidget
@@ -2116,10 +2076,6 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
1 &week
1&semajno
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Uzi la sagojn supran kaj malsupran por esplori la historion, kaj <b>Ctr-L</b> por malplenigi la ekraron.
-
Type <b>help</b> for an overview of available commands.
Tajpu <b>helpo</b> por superrigardi la disponeblajn komandojn.
@@ -2183,6 +2139,10 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Copy amount
Kopii kvanto
+
+ Copy address
+ Kopi adreson
+
ReceiveRequestDialog
@@ -2233,6 +2193,10 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Message
Mesaĝo
+
+ Address
+ Adreso
+
Amount
Sumo:
@@ -2266,11 +2230,11 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Amount:
- Kvanto
+ Kvanto:
Priority:
- Prioritato
+ Prioritato:
medium
@@ -2282,7 +2246,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
no
- no
+ ne
After Fee:
@@ -2290,7 +2254,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Change:
- Ŝanĝo:
+ Ŝanĝu:
If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
@@ -2354,7 +2318,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Confirm send coins
- Konfirmu sendi monon
+ Konfirmu sendi monojn
(no label)
@@ -2377,7 +2341,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
Choose previously used address
- Elektu antaŭan uzatan adreson
+ Elektu antaŭe uzatan adreson
Alt+A
@@ -2407,7 +2371,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
ShutdownWindow
- Ion Core is shutting down...
+ ION Core is shutting down...
ION kerno fermanta...
@@ -2415,7 +2379,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
SignVerifyMessageDialog
Choose previously used address
- Elektu antaŭan uzatan adreson
+ Elektu antaŭe uzatan adreson
Alt+A
@@ -2447,7 +2411,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
The entered address does not refer to a key.
- La enirita adreso ne rilatas al ŝlosilo
+ La enirita adreso ne rilatas al ŝlosilo.
Wallet unlock was cancelled.
@@ -2461,7 +2425,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
SplashScreen
- Ion Core
+ ION Core
ION kerno
@@ -2473,7 +2437,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
La Dash kerno programistoj
- The Ion Core developers
+ The ION Core developers
La ION kerno programistoj
@@ -2658,11 +2622,7 @@ Nematura: konfirmita, sed malpli ol 1 minto el la samo nomado post ĝin estis mi
xION
xION
-
- Is Spendable
- Estas elspezebla
-
-
+
ion-core
diff --git a/src/qt/locale/ion_es.ts b/src/qt/locale/ion_es.ts
index 3b1f04cd201bf..04bf2b98ecd8a 100644
--- a/src/qt/locale/ion_es.ts
+++ b/src/qt/locale/ion_es.ts
@@ -267,7 +267,7 @@
Alt+A
- Alt + A
+ Alt+A
Paste address from clipboard
@@ -275,7 +275,7 @@
Alt+P
- Alt + P
+ Alt+P
Passphrase:
@@ -608,10 +608,6 @@
&Command-line options
&Opciones de linea de comandos
-
- Processed %n blocks of transaction history.
- Procesados %n bloques del histórico de transacciones.Procesados %n bloques del histórico de transacciones.
-
Synchronizing additional data: %p%
Sincronizando datos adicionales: %p%
@@ -645,8 +641,8 @@
Herramienta de pestañas
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +665,12 @@
Explorar masternodes
- &About Ion Core
- &Sobre Ion Core
+ &About ION Core
+ &Sobre ION Core
- Show information about Ion Core
- Mostrar información sobre Ion Core
+ Show information about ION Core
+ Mostrar información sobre ION Core
Modify configuration options for ION
@@ -729,16 +725,12 @@
Ventana del explorador de bloques
- Show the Ion Core help message to get a list with possible ION command-line options
- Mostrar la ayuda de Ion Core para obtener una lista de posibles opciones en línea de comandos
+ Show the ION Core help message to get a list with possible ION command-line options
+ Mostrar la ayuda de ION Core para obtener una lista de posibles opciones en línea de comandos
- Ion Core client
- Cliente Ion Core
-
-
- %n active connection(s) to ION network
- %n conexión(es) activas a la red ION%n conexión(es) activas a la red ION
+ ION Core client
+ Cliente ION Core
Synchronizing with network...
@@ -762,7 +754,7 @@
%n hour(s)
- %n horas%n horas
+ %n hora%n horas
%n day(s)
@@ -770,7 +762,7 @@
%n week(s)
- %n semanas%n semanas
+ %n semana%n semanas
%1 and %2
@@ -778,7 +770,7 @@
%n year(s)
- %n años%n años
+ %n año%n años
Catching up...
@@ -864,7 +856,7 @@ MultiEnvío: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
El monedero está <b>encriptado</b> y actualmente <b>bloqueado</b>
-
+
BlockExplorer
@@ -915,11 +907,11 @@ MultiEnvío: %1
Bytes:
- Octetos:
+ Bytes:
Amount:
- Cantidad:
+ Suma:
Priority:
@@ -1224,6 +1216,17 @@ MultiEnvío: %1
No se puede crear un directorio de datos aquí.
+
+ GovernancePage
+
+ Form
+ Formulario
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1231,16 +1234,16 @@ MultiEnvío: %1
versión
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- Acerca de Ion Core
+ About ION Core
+ Acerca de ION Core
Command-line options
@@ -1286,16 +1289,16 @@ MultiEnvío: %1
Bienvenido/a
- Welcome to Ion Core.
- Bienvenido/a a Ion Core.
+ Welcome to ION Core.
+ Bienvenido/a a ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Al ser la primera vez que se inicia el programa, usted puede elegir dónde guardará Ion Core sus datos.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Al ser la primera vez que se inicia el programa, usted puede elegir dónde guardará ION Core sus datos.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core descargará y guardará una copia de la cadena de bloques ION. Por lo menos %1GB de datos serán guardados en esta carpeta, y crecerá con el tiempo. El monedero también se guardará en esta carpeta.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core descargará y guardará una copia de la cadena de bloques ION. Por lo menos %1GB de datos serán guardados en esta carpeta, y crecerá con el tiempo. El monedero también se guardará en esta carpeta.
Use the default data directory
@@ -1306,8 +1309,8 @@ MultiEnvío: %1
Usar una carpeta de datos personalizada:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1542,48 +1545,54 @@ MultiEnvío no se activará a menos que haga usted click en Activar(sin etiqueta)
- The entered address:
-
- La dirección introducida:
-
+ MultiSend Active for Stakes and Masternode Rewards
+ MultiSend Activado para las recompensas de Stakes y Masternode
+
+
+ MultiSend Active for Stakes
+ MultiSend Activado para Stakes
+
+
+ MultiSend Active for Masternode Rewards
+ MultiSend Activado para las recompensas de Masternode
- is invalid.
+ MultiSend Not Active
+ MultiSend Desactivado
+
+
+ The entered address: %1 is invalid.
Please check the address and try again.
- es inválida.
-Por favor compruebe la dirección e inténtelo de nuevo.
+ La dirección introducida: %1 es inválida.
+Por favor comprueba la dirección e inténtalo nuevamente.
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- La cantidad total de su vector MultiEnvío es superior al 100% de su recompensa de stake
-
+ The total amount of your MultiSend vector is over 100% of your stake reward
+ La cantidad total de tu vector de MultiEnvío es superior al 100% de tu recompensa de Stake
- Please Enter 1 - 100 for percent.
- Por favor Introduzca 1 - 100 por ciento.
+ Saved the MultiSend to memory, but failed saving properties to the database.
+ El MultiSend se guardó en la memoria, pero se produjo un error al guardar las propiedades en la base de datos.
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- Se guardó MultiEnvío en la memoria, pero se produjo un error al guardar las propiedades en la base de datos.
-
+ MultiSend Vector
+ Vector de MultiSend
- MultiSend Vector
-
- Vector MultiEnvío
-
+ Removed %1
+ Removido %1
- Removed
- Borrado
+ Could not locate address
+ No se pudo localizar la dirección
- Could not locate address
-
- No se pudo localizar la dirección
-
+ Unable to activate MultiSend, check MultiSend vector
+ No fue posible activar el MultiSend, verifica el vector de MultiSend
+
+
+ Please Enter 1 - 100 for percent.
+ Por favor Introduzca 1 - 100 por ciento.
@@ -1666,7 +1675,7 @@ Por favor, tenga paciencia después de hacer clic en importar.
Amount:
- Cantidad:
+ Suma:
Add an input to fund the outputs
@@ -1780,32 +1789,32 @@ Por favor, tenga paciencia después de hacer clic en importar.
Por favor seleccione un nivel de privacidad.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Use 2 masterdodes diferentes para mezclar los fondos hasta los 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Use 2 masterdodes diferentes para mezclar los fondos hasta los 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Use 8 masternodes diferentes para mezclar fondos hasta los 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Use 8 masternodes diferentes para mezclar fondos hasta los 20000 ION
Use 16 separate masternodes
Use 16 masternodes diferentes
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Esta opción es la más rápida y costará alrededor de ~0.025 ION para anonimizar 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Esta opción es la más rápida y costará alrededor de ~0.025 ION para anonimizar 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Esta opción es moderadamente rápida y costará cerca de 0.05 ION para anonimizar 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Esta opción es moderadamente rápida y costará cerca de 0.05 ION para anonimizar 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Esta es la opción más lenta pero más segura. Usar el máximo anonimato costará
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION por 10000 ION que anonimizas.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION por 20000 ION que anonimizas.
Obfuscation Configuration
@@ -2485,18 +2494,6 @@ xION son maduros cuando tienen más de 20 confirmaciones Y más de 2 mints de la
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Nivel de Seguridad para Transacciones Zerocoin. Cuanto más mejor, pero necesitará más tiempo y recursos.
-
-
- Security Level:
- Nivel de Seguridad:
-
-
- Security Level 1 - 100 (default: 42)
- Nivel de Seguridad 1 - 100 (por defecto: 42)
-
Pay &To:
Pagar &A:
@@ -2531,7 +2528,7 @@ xION son maduros cuando tienen más de 20 confirmaciones Y más de 2 mints de la
A&mount:
- C&antidad:
+ Cantidad:
Convert Change to Zerocoin (might cost additional fees)
@@ -2718,7 +2715,7 @@ Para cambiar el porcentaje (no se requiere reiniciar):
Bytes:
- Octetos:
+ Bytes:
Insufficient funds!
@@ -2773,14 +2770,6 @@ Para cambiar el porcentaje (no se requiere reiniciar):
Please be patient...
Ejecutando ResetMintZerocoin: reescaneando el blockchain entero, esto necesitará hasta 30 minutos dependiendo de su hardware.
Por favor espere...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- Gastando Zerocoin.
-Esto es computacionalmente intensivo, puede necesitar varios minutos dependiendo del Nivel de Seguridad elegido y el hardware de su máquina.
-Por favor tenga paciencia...
) needed.
@@ -2952,22 +2941,10 @@ Máximo permitido:
to a newly generated (unused and therefore anonymous) local address <br />
a una dirección local recién generada (no utilizada y, por lo tanto, anónima)<br />
-
- with Security Level
- con Nivel de Seguridad
-
Confirm send coins
Confirmar enviar monedas
-
- Version 1 xION require a security level of 100 to successfully spend.
- La versión 1 xION requiere un nivel de seguridad de 100 para gastar exitosamente.
-
-
- Failed to spend xION
- Error al enviar xION
-
Failed to fetch mint associated with serial hash
Error al buscar la asociación del acuñado con el hash serial
@@ -2986,11 +2963,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Spend Zerocoin failed with status =
Gastar Zerocoin falló con estado =
-
- PrivacyDialog
- Enter an amount of ION to convert to xION
- PrivacyDialogPrivacyDialog
-
denomination:
Denominación:
@@ -3024,6 +2996,9 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
comisión:
+
+ ProposalFrame
+
QObject
@@ -3074,7 +3049,11 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
%1 ms
%1 ms
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
@@ -3436,10 +3415,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Confirm resync Blockchain
Confirmar resincronización del Blockchain
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Use las teclas arriba y abajo para navegar por la historia, y <b>Ctrl-L</b> para limpiar la pantalla.
-
Type <b>help</b> for an overview of available commands.
Escriba <b>help</b> para ver una lista de posibles comandos.
@@ -3511,6 +3486,10 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
An optional label to associate with the new receiving address.
Una etiqueta opcional a asociar con la nueva dirección de recepción.
+
+ A&mount:
+ Cantidad:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Un mensaje opcional a adjuntar a la solicitud de pago, que será mostrado cuando se abra la solicitud. Nota: El mensaje no se envía junto al pago por la red ION.
@@ -3535,10 +3514,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
An optional amount to request. Leave this empty or zero to not request a specific amount.
Una cantidad opcional a solicitar. Deje esto vacío o en cero para no pedir una cantidad específica.
-
- &Amount:
- &Cantidad:
-
&Request payment
&Solicitud de pago
@@ -3583,6 +3558,10 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Copy amount
Copiar cantidad
+
+ Copy address
+ Copiar dirección
+
ReceiveRequestDialog
@@ -3653,6 +3632,10 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Message
Mensaje
+
+ Address
+ Dirección
+
Amount
Cantidad
@@ -3698,7 +3681,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Amount:
- Cantidad:
+ Suma:
Priority:
@@ -3936,10 +3919,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
A fee %1 times higher than %2 per kB is considered an insanely high fee.
Una comisión %1 veces más alta que %2 por kB se considera exageradamente alta.
-
- Estimated to begin confirmation within %n block(s).
- Estimamos que empezará la confirmación en %n bloques.Estimamos que empezará la confirmación en %n bloques.
-
The recipient address is not valid, please recheck.
La dirección de destino no es válida, por favor compruébelo de nuevo.
@@ -4021,7 +4000,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Alt+A
- Alt + A
+ Alt+A
Paste address from clipboard
@@ -4029,7 +4008,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Alt+P
- Alt + P
+ Alt+P
Remove this entry
@@ -4079,7 +4058,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
ShutdownWindow
- Ion Core is shutting down...
+ ION Core is shutting down...
El programa ION se está cerrando...
@@ -4111,7 +4090,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Alt+A
- Alt + A
+ Alt+A
Paste address from clipboard
@@ -4119,7 +4098,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Alt+P
- Alt + P
+ Alt+P
Enter the message you want to sign here
@@ -4229,8 +4208,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -4245,8 +4224,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Los desarrolladores de Dash Core
- The Ion Core developers
- Los desarrolladores de Ion Core
+ The ION Core developers
+ Los desarrolladores de ION Core
[testnet]
@@ -4262,10 +4241,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
TransactionDesc
-
- Open for %n more block(s)
- Abierto para %n bloques másAbierto para %n bloques más
-
Open until %1
Abierto hasta %1
@@ -4326,10 +4301,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
, has not been successfully broadcast yet
, no ha sido correctamente transmitida todavía
-
- , broadcast through %n node(s)
- , retransmitido a través de %n nodos, retransmitido a través de %n nodos
-
Date
Fecha
@@ -4370,10 +4341,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Credit
Crédito
-
- matures in %n more block(s)
- madura en %n bloques másmaduracíon en %n bloques más
-
not accepted
rechazado
@@ -4472,10 +4439,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Address
Dirección
-
- Open for %n more block(s)
- Abierto para %n bloques másAbierto para %n bloques más
-
Open until %1
Abierto hasta %1
@@ -4558,7 +4521,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Received ION from xION
- ION recibidos desde xION
+ ION recibidos desde xION
Minted Change as xION from xION Spend
@@ -4878,11 +4841,7 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Select/Deselect All
Seleccionar/Deseleccionar Todos
-
- Is Spendable
- Es Gastable
-
-
+
ion-core
@@ -4910,8 +4869,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
El punto de chequeo del acumulador que hemos calculado no coincide con lo guardado en el índice de bloques
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- No se puede obtener un bloqueo sobre el directorio de datos %s. Ion Core esta probablemente en ejecución.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ No se puede obtener un bloqueo sobre el directorio de datos %s. ION Core esta probablemente en ejecución.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -5086,20 +5045,20 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Este producto incluye software desarrollado por el Proyecto OpenSSL para uso en OpenSSL Toolkit <https://www.openssl.org/> y software de cifrado escrito por Eric Young y software de UPnP escrito por Thomas Bernard.
- Unable to bind to %s on this computer. Ion Core is probably already running.
- Imposible conectar a %s en esta computadora. Es probable que Ion Core ya este corriendo.
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Imposible conectar a %s en esta computadora. Es probable que ION Core ya este corriendo.
Unable to locate enough Obfuscation denominated funds for this transaction.
Imposible localizar suficientes fondos denominados de Ofuscación para esta transacción.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Imposible localizar suficientes fondos no-denominados de Ofuscación para esta transacción que no es igual a 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Imposible localizar suficientes fondos no-denominados de Ofuscación para esta transacción que no es igual a 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Imposible localizar fondos suficientes para esta transacción que no es igual a 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Imposible localizar fondos suficientes para esta transacción que no es igual a 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5114,8 +5073,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Advertencia: -paytxfee esta muy alta! Esta es la comisión de transacción que pagarás si envías una transacción.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- Advertencia: Por favor verifique que la fecha y hora de su computadora sean correctas! Si su reloj esta fuera de hora Ion Core no funcionará adecuadamente.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Advertencia: Por favor verifique que la fecha y hora de su computadora sean correctas! Si su reloj esta fuera de hora ION Core no funcionará adecuadamente.
Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
@@ -5270,8 +5229,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Copyright (C) 2015-%i The PIVX Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
Corrupted block database detected
@@ -5358,8 +5317,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Error al cargar wallet.dat: Monedero dañado
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Error al cargar wallet.dat: El monedero requiere una nueva versión del Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Error al cargar wallet.dat: El monedero requiere una nueva versión del ION Core
Error opening block database
@@ -5373,6 +5332,10 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Error recovering public key.
Error al recuperar clave pública.
+
+ Error writing zerocoinDB to disk
+ Error al escribir zerocoinDB en el disco
+
Error
Error
@@ -5409,6 +5372,10 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Failed to listen on any port. Use -listen=0 if you want this.
Falló la escucha en cualquiera de los puertos. Usar -listen=0 si quieres esto.
+
+ Failed to parse host:port string
+ Error al analizar el host: cadena del puerto
+
Failed to read block
Falló al leer el bloque
@@ -5474,8 +5441,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Información
- Initialization sanity check failed. Ion Core is shutting down.
- La prueba de salud de inicialización ha fallado. Ion Core se cerrará.
+ Initialization sanity check failed. ION Core is shutting down.
+ La prueba de salud de inicialización ha fallado. ION Core se cerrará.
Input is not valid.
@@ -5685,10 +5652,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Failed to create mint
Error al acuñar
-
- Failed to deserialize
- Error al deserializar
-
Failed to find Zerocoins in wallet.dat
Error al encontrar Zerocoins en wallet.dat
@@ -5758,8 +5721,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Cargando sporks...
- Loading wallet... (%3.1f %%)
- Cargando monedero: (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Cargando monedero: (%3.2f %%)
Loading wallet...
@@ -6129,14 +6092,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
The coin spend has been used
El gasto de moneda se ha usado
-
- The new spend coin transaction did not verify
- La nueva transacción de gasto de moneda no se verificó
-
-
- The selected mint coin is an invalid coin
- La moneda acuñada seleccionada es una moneda no válida
-
The transaction did not verify
La transacción no se verificó
@@ -6285,10 +6240,6 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Verifying wallet...
Verificando el monedero...
-
- Version 1 xION require a security level of 100 to successfully spend.
- La versión 1 xION requiere un nivel de seguridad de 100 para gastar exitosamente.
-
Wallet %s resides outside data directory %s
El monedero %s esta ubicada fuera del directorio de datos %s
@@ -6298,8 +6249,8 @@ O mint las denominaciones más altas (por lo tanto, se necesitan menos datos) o
Monedero bloqueado.
- Wallet needed to be rewritten: restart Ion Core to complete
- El Monedero necesita ser reescrito: reinicie Ion Core para completar
+ Wallet needed to be rewritten: restart ION Core to complete
+ El Monedero necesita ser reescrito: reinicie ION Core para completar
Wallet options:
diff --git a/src/qt/locale/ion_es_ES.ts b/src/qt/locale/ion_es_ES.ts
index 00f9425d984aa..f3c8713e8c628 100644
--- a/src/qt/locale/ion_es_ES.ts
+++ b/src/qt/locale/ion_es_ES.ts
@@ -392,6 +392,9 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
@@ -460,6 +463,9 @@
Alt+P
+
+ ProposalFrame
+
QObject
@@ -489,6 +495,10 @@
Label
Etiqueta
+
+ Address
+ Dirección
+
(no label)
(sin etiqueta)
@@ -637,7 +647,7 @@
WalletView
&Export
- &Exportar
+ Exportar
Export the data in the current tab to a file
diff --git a/src/qt/locale/ion_fi.ts b/src/qt/locale/ion_fi.ts
index c38476fe5e278..c2c98124c115a 100644
--- a/src/qt/locale/ion_fi.ts
+++ b/src/qt/locale/ion_fi.ts
@@ -565,7 +565,7 @@
&Apua
- Ion Core
+ ION Core
ION Ydin
@@ -585,11 +585,11 @@
Selaa masternodeja
- &About Ion Core
- Ion Core &ytimestä
+ &About ION Core
+ ION Core &ytimestä
- Show information about Ion Core
+ Show information about ION Core
Näytä tietoja ION Ytimestä
@@ -645,11 +645,11 @@
Lohkon tutkija näkymä
- Show the Ion Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
Näytä ION Ydin apuviesti saadaksesi lista mahdollisista ION komentolinja komennoista.
- Ion Core client
+ ION Core client
ION Ydin asiakasohjelma
@@ -905,10 +905,21 @@
nimi
+
+ GovernancePage
+
+ Form
+ Lomake
+
+
+ 0
+ 0
+
+
HelpMessageDialog
- Ion Core
+ ION Core
ION Ydin
@@ -927,11 +938,11 @@
Tervetuloa
- Welcome to Ion Core.
+ Welcome to ION Core.
Tervetuloa ION Ytimeen.
- Ion Core
+ ION Core
ION Ydin
@@ -1056,39 +1067,10 @@
(no label)
(ei nimikettä)
-
- The entered address:
-
- Syötetty osoite:
-
-
- is invalid.
-Please check the address and try again.
- on invalidi. Ole hyvä ja tarkista osoite.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- MultiSend vektorisi kokonaismäärä on yli 100% panoksesi lohkopalkkiosta.
-
Please Enter 1 - 100 for percent.
Syötä 1 - 100 prosenttia
-
- MultiSend Vector
-
- MultiSend vektori
-
-
- Removed
- Poistettu
-
-
- Could not locate address
-
- Osoitetta ei löytynyt
-
MultisigDialog
@@ -1128,32 +1110,32 @@ Please check the address and try again.
Valitse yksityisyyden taso.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Käytä 2 erillistä masternodea sekoittaaksesi enintään 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Käytä 2 erillistä masternodea sekoittaaksesi enintään 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Käytä 8 erillistä masternodea sekoittaaksesi enintään 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Käytä 8 erillistä masternodea sekoittaaksesi enintään 20000 ION
Use 16 separate masternodes
Käytä 16 erillistä masternodea
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Tämä vaihtoehto on nopein ja maksaa noin ~0.025 ION anonymoidaksesi 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Tämä vaihtoehto on nopein ja maksaa noin ~0.025 ION anonymoidaksesi 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Tämä vaihtoehto on suhteellisen nopea ja maksaa 0.05 ION anonymoidaksesi 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Tämä vaihtoehto on suhteellisen nopea ja maksaa 0.05 ION anonymoidaksesi 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Tämä on hitain ja turvallisin vaihtoehto. Täydesti anonymisoiminen ei maksa mitään.
- 0.1 ION per 10000 ION you anonymize.
- 0.1 per 10000 ION, jotka anonymisoit.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 per 20000 ION, jotka anonymisoit.
Obfuscation Configuration
@@ -1474,12 +1456,19 @@ Please check the address and try again.
Vahvista kolikoiden lähetys
+
+ ProposalFrame
+
QObject
Amount
Määrä
+
+ ION Core
+ ION Ydin
+
QRImageWidget
@@ -1685,6 +1674,10 @@ Please check the address and try again.
An optional label to associate with the new receiving address.
Vaihtoehtoinen nimike uudelle vastaanottavalle osoitteelle
+
+ A&mount:
+ M&äärä:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Vaihtoehtoinen viesti joka liitetään maksupyyntöön, joka näytetään kun pyyntö avataan. Huomio: Viestiä ei lähetetä maksun mukana ION verkolle.
@@ -1705,10 +1698,6 @@ Please check the address and try again.
An optional amount to request. Leave this empty or zero to not request a specific amount.
Pyydä vaihtoehtoinen määrä. Jätä tämä tyhjäksi tai 0, jos haluat pyytää ennaltamääräämättömän summan
-
- &Amount:
- &Määrä:
-
&Request payment
&Pyydä maksua
@@ -1753,6 +1742,10 @@ Please check the address and try again.
Copy amount
Kopioi määrä
+
+ Copy address
+ Kopioi osoite
+
ReceiveRequestDialog
@@ -1823,6 +1816,10 @@ Please check the address and try again.
Message
Viesti
+
+ Address
+ Osoite
+
Amount
Määrä
@@ -2057,7 +2054,7 @@ Please check the address and try again.
ShutdownWindow
- Ion Core is shutting down...
+ ION Core is shutting down...
ION core sammuu...
@@ -2199,7 +2196,7 @@ Please check the address and try again.
SplashScreen
- Ion Core
+ ION Core
ION Ydin
@@ -2215,7 +2212,7 @@ Please check the address and try again.
Dash Core kehittäjät
- The Ion Core developers
+ The ION Core developers
ION core kehittäjät
@@ -2568,8 +2565,8 @@ Please check the address and try again.
Virhe ladattaessa wallet.dat tiedostoa: Lompakko korruptoitunut
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Virhe ladattaessa wallet.dat tiedostoa: Lompakko vaatii uudemman version Ion Coresta
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Virhe ladattaessa wallet.dat tiedostoa: Lompakko vaatii uudemman version ION Coresta
Error reading from database, shutting down.
diff --git a/src/qt/locale/ion_fr_FR.ts b/src/qt/locale/ion_fr_FR.ts
index 4b59a92766645..ce1005072ea58 100644
--- a/src/qt/locale/ion_fr_FR.ts
+++ b/src/qt/locale/ion_fr_FR.ts
@@ -355,7 +355,7 @@
The entered address does not refer to a key.
- L'adresse renseignée ne correspond à aucune à une clé.
+ L'adresse renseignée ne correspond pas à une clé.
Wallet unlock was cancelled.
@@ -363,7 +363,7 @@
Private key for the entered address is not available.
- La clé privé pour l'adresse entrée n'est pas valide.
+ La clé privée pour l'adresse entrée n'est pas valide.
Failed to decrypt.
@@ -436,6 +436,14 @@
Privacy Actions for xION
Actions confidentielles pour xION
+
+ &Governance
+ &Gouvernance
+
+
+ Show Proposals
+ Afficher les propositions
+
E&xit
Quitter
@@ -478,7 +486,7 @@
Backup wallet to another location
- Sauvegarder ailleurs le portefeuille
+ Sauvegarder le portefeuille dans un autre emplacement
&Change Passphrase...
@@ -610,7 +618,7 @@
Processed %n blocks of transaction history.
- %n bloc de l'historique de transaction traité.%n blocs de l'historique de transaction traités.
+ Parcouru %n blocs dans l'historique des transactionsParcouru %n blocs dans l'historique des transactions
Synchronizing additional data: %p%
@@ -624,6 +632,10 @@
Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymization and staking only
Le portefeuille est <b>chiffré</b> et pour l'instant <b>débloqué</b>pour l'anonymat et le staking seulement
+
+ Tor is <b>enabled</b>: %1
+ Tor est <b>activé</b>: %1
+
&File
&Fichier
@@ -645,8 +657,8 @@
Onglets de la barre d'outils
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +681,12 @@
Afficher les masternodes
- &About Ion Core
- A &propos de Ion Core
+ &About ION Core
+ A &propos de ION Core
- Show information about Ion Core
- Afficher les information concernant Ion Core
+ Show information about ION Core
+ Afficher les information concernant ION Core
Modify configuration options for ION
@@ -729,16 +741,16 @@
Fenêtre de Explorateur de Bloc
- Show the Ion Core help message to get a list with possible ION command-line options
- Afficher les message d'aide de Ion Core pour avoir les options pour ligne de commande
+ Show the ION Core help message to get a list with possible ION command-line options
+ Afficher les message d'aide de ION Core pour avoir les options pour ligne de commande
- Ion Core client
- Ion Core client
+ ION Core client
+ ION Core client
%n active connection(s) to ION network
- connexion(s) active(s) au réseau IONconnexion(s) active(s) au réseau ION
+ %n connection(s) active(s) au réseau ION%n connection(s) active(s) au réseau ION
Synchronizing with network...
@@ -848,6 +860,10 @@ Adresse : %4
Wallet is <b>encrypted</b> and currently <b>locked</b>
Le portefeuille est <b>crypté</b> et actuellement <b>verrouillé</b>
+
+ A fatal error occurred. ION can no longer continue safely and will quit.
+ Une erreur fatale s'est produite. ION Core ne peut plus poursuivre en toute sécurité et va quitter.
+
BlockExplorer
@@ -915,7 +931,7 @@ Adresse : %4
Coin Selection
- Coin de sélection
+ Sélection des pièces
Dust:
@@ -1031,7 +1047,7 @@ Adresse : %4
Copy change
- Copier le changement
+ Copier la monnaie
Please switch to "List mode" to use this function.
@@ -1148,6 +1164,10 @@ Adresse : %4
&Address
Adresse
+
+ The address associated with this address list entry. This can only be modified for sending addresses.
+ L'adresse associée à cette entrée de liste d'adresses. Ceci ne peut être modifié que pour les adresses d'envoi.
+
New receiving address
Nouvelle adresse de reception
@@ -1204,6 +1224,45 @@ Adresse : %4
Impossible de créer le répertoire pour les données ici
+
+ GovernancePage
+
+ Form
+ Formulaire
+
+
+ GOVERNANCE
+ GOUVERNANCE
+
+
+ Update Proposals
+ Mettre à jour les propositions
+
+
+ Next super block:
+ Super bloc suivant:
+
+
+ 0
+ 0
+
+
+ Blocks to next super block:
+ Blocs restants jusqu'au Super block suivant:
+
+
+ Allotted budget:
+ Budget alloué:
+
+
+ Budget left:
+ Budget restant:
+
+
+ Masternodes count:
+ Nombre de masternodes:
+
+
HelpMessageDialog
@@ -1211,16 +1270,16 @@ Adresse : %4
version
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- A propos de Ion Core
+ About ION Core
+ A propos de ION Core
Command-line options
@@ -1262,12 +1321,12 @@ Adresse : %4
Bienvenu
- Welcome to Ion Core.
- Bienvenue à Ion Core
+ Welcome to ION Core.
+ Bienvenue à ION Core
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Comme c'est la première fois que le programme est lancé, vous pouvez choisir où Ion Core va stocker ses données.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Comme c'est la première fois que le programme est lancé, vous pouvez choisir où ION Core va stocker ses données.
Use the default data directory
@@ -1278,8 +1337,8 @@ Adresse : %4
Utiliser un répertoire spécifique de données
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1358,7 +1417,7 @@ Adresse : %4
Status will be updated automatically in (sec):
- Le statut sera mis à jour automatiquement dans (sec):
+ Statut màj automatiquement dans (sec):
0
@@ -1510,51 +1569,82 @@ L'Envoi-multiple ne sera activé que si vous avez cliqué sur Activer(pas de label)
- The entered address:
-
- L'adresse entrée:
-
+ MultiSend Active for Stakes and Masternode Rewards
+ Envoi multiple actif pour les recompenses Masternode et Stake
- is invalid.
-Please check the address and try again.
- est invalide.
-Veuillez vérifier l'adresse et réessayer.
+ MultiSend Active for Stakes
+ Envoi multiple actif pour les recompenses Stake
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- Le montant total de votre vecteur Multisend est supérieur à 100% de votre récompense Stake
-
+ MultiSend Active for Masternode Rewards
+ Envoi multiple actif pour les recompenses Masternode
- Please Enter 1 - 100 for percent.
- Veuillez entrer un pourcentage entre 1 et 100.
+ MultiSend Not Active
+ Envoi multiple inactif
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- L'Envoi-multiple est sauvegardé en mémoire, néanmoins la sauvegarde des propriétés de celui-ci en base a échoué.
-
+ The entered address: %1 is invalid.
+Please check the address and try again.
+ L'adresse %1 entrée est invalide.
+SVP vérifiez l'adresse et essayez à nouveau.
- MultiSend Vector
-
- Vecteur des Envoi-multiples
-
+ The total amount of your MultiSend vector is over 100% of your stake reward
+ Le montant total de votre vecteur d'envoi multiple est supérieur à 100% de votre récompense Stake
- Removed
- Supprimé
+ Saved the MultiSend to memory, but failed saving properties to the database.
+ Envoi multiple sauvegardé, mais échec de la sauvegarde de ses propriétés en base de données.
- Could not locate address
-
+ MultiSend Vector
+ Vecteur d'envoi multiple
+
+
+ Removed %1
+ Retiré %1
+
+
+ Could not locate address
Impossible de localiser l'adresse
+
+ Unable to activate MultiSend, check MultiSend vector
+ Impossible d'activer l'envoi multple, vérifiez le vecteur d'envoi
+
+
+ MultiSend activated but writing settings to DB failed
+ Envoi multiple activé mais les paramètres d'écriture en base de données ont échoué
+
+
+ MultiSend activated
+ Envoi multiple activé
+
+
+ First Address Not Valid
+ Première adresse invalide
+
+
+ MultiSend deactivated but writing settings to DB failed
+ Envoi multiple désactivé mais les paramètres d'écriture en base de données ont échoué
+
+
+ MultiSend deactivated
+ Envoi multiple désactivé
+
+
+ Please Enter 1 - 100 for percent.
+ Veuillez entrer un pourcentage entre 1 et 100.
+
MultisigDialog
+
+ Multisignature Address Interactions
+ Interactions d'adresse multisignature
+
Create MultiSignature &Address
Créer une nouvelle &adresse MultiSignature
@@ -1603,6 +1693,10 @@ Please be patient after clicking import.
Garder en tete que le portefeuille effectuera une nouvelle analyse de la blockchain pour trouver les transactions contenant la nouvelle adresse.
S'il vous plaît soyez patient après avoir cliqué sur l'importation.
+
+ &Import Redeem
+ &Import la compensation
+
&Create MultiSignature Tx
Créer une transaction Multi-Signature
@@ -1613,7 +1707,7 @@ S'il vous plaît soyez patient après avoir cliqué sur l'importation.
Coin Control
- Contrôle de pièce de monnaie
+ Contrôle des pièces
Quantity Selected:
@@ -1647,6 +1741,10 @@ S'il vous plaît soyez patient après avoir cliqué sur l'importation.Add &Destination
Ajouter la destination
+
+ Create a transaction object using the given inputs to the given outputs
+ Créer un objet de transaction en utilisant les données d'entrée pour les données de sortie
+
Cr&eate
Cré&er
@@ -1691,10 +1789,18 @@ S'il vous plaît soyez patient après avoir cliqué sur l'importation.Invalid Tx Hash.
Le Hash de la transaction est invalide.
+
+ Vout position must be positive.
+ La position Vout doit être positive.
+
Maximum possible addresses reached. (15)
Nombre maximum d'adresses atteint. (15)
+
+ Vout Position:
+ Position Vout:
+
Amount:
Montant :
@@ -1727,32 +1833,32 @@ S'il vous plaît soyez patient après avoir cliqué sur l'importation.Veuillez sélectionner un niveau de confidentialité.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Utiliser 2 masternodes différentes pour mélanger les fonds jusqu'a 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Utiliser 2 masternodes différentes pour mélanger les fonds jusqu'a 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Utiliser 8 masternodes différentes pour mélanger les fonds jusqu'a 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Utiliser 8 masternodes différentes pour mélanger les fonds jusqu'a 20000 ION
Use 16 separate masternodes
Utiliser 16 masternodes différents
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Cette option est la plus rapide, et coutera ~0.025 ION pour anonymiser 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Cette option est la plus rapide, et coutera ~0.025 ION pour anonymiser 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Cette option est moyennement rapide, et coutera 0.05 ION pour anonymiser 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Cette option est moyennement rapide, et coutera 0.05 ION pour anonymiser 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Il s'agit de l'option la plus lente est la plus sécurisé. Utiliser l'anonymat maximum coutera
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION par 10000 ION vous anonymisez.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION par 20000 ION vous anonymisez.
Obfuscation Configuration
@@ -1808,10 +1914,18 @@ S'il vous plaît soyez patient après avoir cliqué sur l'importation.Size of &database cache
Taille du cache de base de données
+
+ MB
+ MB
+
Number of script &verification threads
Nombre de fil pour les scripts de vérification
+
+ (0 = auto, <0 = leave that many cores free)
+ (0 = auto, <0 = laisser autant de cœurs libres)
+
W&allet
Portefeuille
@@ -1892,7 +2006,15 @@ https://www.transifex.com/ioncoincore/ioncore
Enable xION Automint
- Activé XION Auto-monnayage
+ Activer l'Auto-monnayage xION
+
+
+ Enable automatic xION minting from specific addresses
+ Activer la frappe xION automatique à partir d'adresses spécifiques
+
+
+ Enable Automint Addresses
+ Activer les Adresses Automint
Percentage of incoming ION which get automatically converted to xION via Zerocoin Protocol (min: 10%)
@@ -1902,9 +2024,13 @@ https://www.transifex.com/ioncoincore/ioncore
Percentage of autominted xION
Pourcentage de xION auto-monnayé
+
+ Wait with automatic conversion to Zerocoin until enough ION for this denomination is available
+ Met en attente la conversion automatique Zerocoin jusqu'à ce qu'il y ai suffisament de ION disponibles pour la dénomination demandée
+
Preferred Automint xION Denomination
- Dénomination préférée d'auto-monnayage xION
+ Dénomination préférée pour l'auto-monnayage xION
Stake split threshold:
@@ -1978,6 +2104,14 @@ https://www.transifex.com/ioncoincore/ioncore
Hide empty balances
Masquer les soldes vides
+
+ Hide orphan stakes in transaction lists
+ Masquer les récompenses Stake orphelines dans la liste des transactions
+
+
+ Hide orphan stakes
+ Masquer les récompenses Stake orphelines
+
Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |.
URL tierces (par exemple un explorateur de blocs) qui apparaissent dans l'onglet des transactions en tant qu'éléments de menu contextuel. %s dans l'URL est remplacé par le hash de transaction. Les URL multiples sont séparées par une barre verticale |
@@ -2100,14 +2234,14 @@ https://www.transifex.com/ioncoincore/ioncore
Mature: more than 20 confirmation and more than 1 mint of the same denomination after it was minted.
These xION are spendable.
- Maturité: plus de 20 confirmations et plus de 1 monnayer de la même dénomination après sa frappe.
+ Maturité: plus de 20 confirmations et plus de 1 monnaie de la même dénomination après sa frappe.
Ces xION sont dépensables.
Unconfirmed: less than 20 confirmations
Immature: confirmed, but less than 1 mint of the same denomination after it was minted
Non confirmé: moins de 20 confirmations
-Immature: confirmé, mais moins de 1 monnayer de la même dénomination après sa frappe
+Immature: confirmé, mais moins de 1 monnaie de la même dénomination après sa frappe
The displayed information may be out of date. Your wallet automatically synchronizes with the ION network after a connection is established, but this process has not completed yet.
@@ -2155,7 +2289,7 @@ Immature: confirmé, mais moins de 1 monnayer de la même dénomination après s
Locked ION or Masternode collaterals. These are excluded from xION minting.
- ION Verrouillé ou Masternode collatéraux. Ceux-ci sont exclus de la monnayage xION.
+ ION Verrouillé ou Masternode collatéraux. Ceux-ci sont exclus du monnayage xION.
Locked:
@@ -2182,7 +2316,8 @@ Immature: confirmé, mais moins de 1 monnayer de la même dénomination après s
If AutoMint is enabled this percentage will settle around the configured AutoMint percentage (default = 10%).
Le pourcentage actuel de xION.
-Si Auto-monnayage est activé, ce pourcentage sera réglé autour du pourcentage Auto-monnayage configuré (par défaut = 10%).
+Si l'Auto-monnayage est activé, ce pourcentage sera réglé au niveau du pourcentage d'Auto-monnayage configuré (par défaut = 10%).
+
AutoMint is currently enabled and set to
@@ -2317,7 +2452,7 @@ Pour activer Auto-monnayage, changez 'enablezeromint = 0' en 'enablezeromint = 1
Mint Zerocoin
- Monnayer Zerocoin
+ Créer des Zerocoin
0
@@ -2333,7 +2468,7 @@ Pour activer Auto-monnayage, changez 'enablezeromint = 0' en 'enablezeromint = 1
Available for Minting:
- Disponible pour Monnayage:
+ Disponible :
0.000 000 00 ION
@@ -2349,7 +2484,7 @@ Pour activer Auto-monnayage, changez 'enablezeromint = 0' en 'enablezeromint = 1
Coin Control...
- Contrôle des pièces...
+ Choisir les pièces...
Quantity:
@@ -2381,11 +2516,11 @@ Pour activer Auto-monnayage, changez 'enablezeromint = 0' en 'enablezeromint = 1
xION Control
- Contrôle xION
+ Choisir les xION
xION Selected:
- xION sélectionné:
+ xION sélectionnés:
Quantity Selected:
@@ -2397,11 +2532,11 @@ Pour activer Auto-monnayage, changez 'enablezeromint = 0' en 'enablezeromint = 1
Spend Zerocoin
- Dépenser Zerocoin
+ Dépenser les Zerocoin
Available (mature and spendable) xION for spending
- xION disponibles (matures et dépensables) pour dépenser
+ xION disponibles (matures et utilisables) pour les dépenses
Available Balance:
@@ -2411,33 +2546,21 @@ Pour activer Auto-monnayage, changez 'enablezeromint = 0' en 'enablezeromint = 1
Available (mature and spendable) xION for spending
xION are mature when they have more than 20 confirmations AND more than 2 mints of the same denomination after them were minted
- XION disponible (mature et utilisable) pour les dépenses
+ xION disponibles (matures et utilisables) pour les dépenses
-Les xION sont matures lorsqu'elles ont plus de 20 confirmations ET plus de 2 monnayent de même dénomination après ils était monnayer
+Les xION sont matures lorsqu'ils ont plus de 20 confirmations ET plus de 2 monnaies de même dénomination après leur frappe
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Niveau de sécurité pour les transactions Zerocoin. Le plus élevé est préférable, mais cela requiert plus de temps et de ressource.
-
-
- Security Level:
- Niveau de sécurité:
-
-
- Security Level 1 - 100 (default: 42)
- Niveau de sécurité 1 - 100 (par défaut: 42)
-
Pay &To:
Payer à :
The ION address to send the payment to. Creates local payment to yourself when empty.
- L'adresse ION à laquelle nevoyer le paiement. Créé un paiement à vous même lorsque ce champs est vide.
+ L'adresse ION à laquelle envoyer le paiement. Le système créé un paiement à vous même lorsque ce champs est vide.
Choose previously used address
@@ -2469,7 +2592,7 @@ Les xION sont matures lorsqu'elles ont plus de 20 confirmations ET plus de 2 mon
Convert Change to Zerocoin (might cost additional fees)
- Convertir la monnaie rendue en Zerocoin (peut augmenter les frais de transaction)
+ Convertir la monnaie rendue en Zerocoin (peut augmenter les frais)
If checked, the wallet tries to minimize the returning change instead of minimizing the number of spent denominations.
@@ -2507,7 +2630,7 @@ Les xION sont matures lorsqu'elles ont plus de 20 confirmations ET plus de 2 mon
Unconfirmed: less than 20 confirmations
Immature: confirmed, but less than 1 mint of the same denomination after it was minted
Non confirmé: moins de 20 confirmations
-Immature: confirmé, mais moins de 1 monnayer de la même dénomination après sa frappe
+Immature: confirmé, mais moins de 1 monnaie de la même dénomination après sa frappe
Show the current status of automatic xION minting.
@@ -2520,7 +2643,7 @@ To change the percentage (no restart required):
- menu Settings->Options->Percentage of autominted xION
- Afficher l'état actuel de monnayage automatique xION.
+ Afficher l'état actuel de l'Auto-monnayage xION.
Pour changer le statut (redémarrage requis):
- enable: ajoute 'enablezeromint = 1' au fichier ioncoin.conf
@@ -2575,6 +2698,14 @@ Pour changer le pourcentage (pas de redémarrage requis):
0 x
0 x
+
+ Show xION denominations list
+ Montrer la liste des Dénominations pour xION
+
+
+ Show Denominations
+ Montrer les Dénominations
+
Denominations with value 5:
Dénominations avec une valeur 5:
@@ -2631,6 +2762,10 @@ Pour changer le pourcentage (pas de redémarrage requis):
Denom. with value 5000:
Dénom. avec une valeur 5000:
+
+ Hide Denominations
+ Masquer les Dénominations
+
Priority:
Priorité :
@@ -2708,14 +2843,6 @@ Pour changer le pourcentage (pas de redémarrage requis):
Please be patient...
Démarrage de ResetMonnayerZerocoin: réanalyser blockchain complète, cela prendra jusqu'à 30 minutes selon votre matériel.
S'il vous plaît soyez patient ...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- En cours de dépense Zerocoin.
-Opération coûteuse en ressources, peut nécessiter plusieurs minutes selon le niveau de sécurité choisi et la performance de votre matériel.
-SVP, soyez patient...
) needed.
@@ -2729,7 +2856,7 @@ Maximum autorisé:
xION Mint
- Monnayer xION
+ Monnayage xION
<b>enabled</b>.
@@ -2833,11 +2960,11 @@ Maximum autorisé:
Successfully minted
- Monnayez réussi
+ Auto-monnayage réussi
xION in
- xION dans
+ xION en
sec. Used denominations:
@@ -2855,6 +2982,10 @@ Maximum autorisé:
sec.
+
+ Starting ResetSpentZerocoin:
+ Démarrage de ResetSpentZerocoin:
+
No 'Pay To' address provided, creating local payment
Aucune adresse 'Payer à' de fournie, création d'un paiement local
@@ -2883,26 +3014,13 @@ Maximum autorisé:
to a newly generated (unused and therefore anonymous) local address <br />
vers une adresse locale nouvellement générée (inutilisée et donc anonyme)
-
- with Security Level
- avec le niveau de sécurité
-
Confirm send coins
Confirmer l'envoi des pièces
-
- Version 1 xION require a security level of 100 to successfully spend.
- La version 1 de xION requiert un niveau de sécurité de 100 pour les dépenser.
-
-
-
- Failed to spend xION
- Échec de la dépense de xION
-
Failed to fetch mint associated with serial hash
- Impossible d'extraire la monnayer associée au hachage série
+ Impossible de récupérer la monnaie associée au hash
Too much inputs (
@@ -2912,7 +3030,7 @@ Maximum autorisé:
Either mint higher denominations (so fewer inputs are needed) or reduce the amount to spend.
-Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessaires), soit une réduction du montant à dépenser.
+Monnayez des dénominations plus élevées (moins d'intrants sont nécessaires), ou réduisez le montant à dépenser.
Spend Zerocoin failed with status =
@@ -2922,6 +3040,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
denomination:
dénomination:
+
+ Spending Zerocoin.
+Computationally expensive, might need several minutes depending on your hardware.
+Please be patient...
+ Dépenses Zerocoin.
+Cela peut prendre plusieurs minutes, selon votre matériel.
+S'il vous plaît soyez patient ...
+
serial:
série:
@@ -2951,6 +3077,75 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
frais:
+
+ ProposalFrame
+
+ Open proposal page in browser
+ Ouvrir la page des propositions dans le navigateur
+
+
+ remaining payment(s).
+ paiement(s) restant.
+
+
+ Yes:
+ Pour:
+
+
+ Abstain:
+ Abstention:
+
+
+ No:
+ Contre:
+
+
+ A proposal URL can be used for phishing, scams and computer viruses. Open this link only if you trust the following URL.
+
+ Une page de proposition peut être utilisée pour le phishing, des escroqueries ou des virus informatiques. Ouvrez ce lien uniquement si vous faites confiance à l'URL suivante.
+
+
+
+ Open link
+ Ouvrir le lien
+
+
+ Copy link
+ Copier le lien
+
+
+ Wallet Locked
+ Portefeuille vérouillé
+
+
+ You must unlock your wallet to vote.
+ Vous devez déverrouiller votre portefeuille pour voter
+
+
+ Do you want to vote %1 on
+ Voulez-vous voter %1 pour
+
+
+ using all your masternodes?
+ en utilisant tous vos masternodes?
+
+
+ Proposal Hash:
+ Hash de la proposition:
+
+
+ Proposal URL:
+ URL de la proposition:
+
+
+ Confirm Vote
+ Confirmer le vote
+
+
+ Vote Results
+ Résultats du vote
+
+
QObject
@@ -2959,7 +3154,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Enter a ION address (e.g. %1)
- Entrez uen adresse ION (par ex. %1)
+ Entrez une adresse ION (par ex. %1)
%1 d
@@ -2985,6 +3180,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
BLOOM
ÉCLOSION
+
+ ZK_BLOOM
+ ZK_BLOOM
+
UNKNOWN
INCONNU
@@ -3001,6 +3200,30 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
%1 ms
%1 ms
+
+ ION Core
+ ION Core
+
+
+ Error: Specified data directory "%1" does not exist.
+ Erreur: le répertoire de données spécifié "%1" n'existe pas.
+
+
+ Error: Cannot parse configuration file: %1. Only use key=value syntax.
+ Erreur: impossible d'analyser le fichier de configuration: %1. Utilisez uniquement la syntaxe clé=valeur.
+
+
+ Error: Invalid combination of -regtest and -testnet.
+ Erreur: Combinaison non valide de -regtest et -testnet.
+
+
+ Error reading masternode configuration file: %1
+ Erreur de lecture du fichier de configuration Masternode: %1
+
+
+ ION Core didn't yet exit safely...
+ ION Core n'a pas encore quitté en toute sécurité ...
+
QRImageWidget
@@ -3364,13 +3587,17 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Cornfirmer la resynchronisation Blockchain
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Utilisez les flèches bas et haut pour naviguer dans l'historique, et <b> Ctrl-L </b> pour effacer l'écran.
+ Use up and down arrows to navigate history, and %1 to clear screen.
+ Utilisez la flèches haut et bas pour naviguer dans l'historique, et %1 pour purger l'écran.
Type <b>help</b> for an overview of available commands.
Entrez <b> aide </b> pour un aperçu des commandes disponibles
+
+ WARNING: Scammers have been active, telling users to type commands here, stealing their wallet contents. Do not use this console without fully understanding the ramifications of a command.
+ ATTENTION: Des escrocs sévisent, demandant aux utilisateurs de taper certaines commandes dans la console, volant le contenu de leur portefeuille. N'utilisez pas cette console sans une parfaite compréhension des conséquences des commandes que vous y tapez.
+
%1 B
%1 B
@@ -3424,7 +3651,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
ReceiveCoinsDialog
Reuse one of the previously used receiving addresses.<br>Reusing addresses has security and privacy issues.<br>Do not use this unless re-generating a payment request made before.
- Réutilise une des adresses de réception précédement utilisées.<br /> Réutiliser des adresses posent des problèmes de sécurité etd e confidentialité. <br /> Ne réuilisez pas une adresse à moins que vous souhaitiez regénérer une demande de paiement antérieure.
+ Réutilise une des adresses de réception précédement utilisées.<br /> Réutiliser des adresses posent des problèmes de sécurité et de confidentialité. <br /> Ne réutilisez pas une adresse à moins que vous ne souhaitiez regénérer une demande de paiement antérieure.
R&euse an existing receiving address (not recommended)
@@ -3438,6 +3665,18 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
An optional label to associate with the new receiving address.
Un label Un optionnel à associer à la nouvelle adresse de réception.
+
+ Your receiving address. You can copy and use it to receive coins on this wallet. A new one will be generated once it is used.
+ Votre adresse de réception. Vous pouvez la copier et la diffuser pour recevoir vos pièces dans ce portefeuille. Une nouvelle adresse sera générée dès que celle-ci aura été utilisée.
+
+
+ &Address:
+ &Adresse:
+
+
+ A&mount:
+ Montant:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Un message optionnel à ajouter à la demande de paiement, lequel sera affiché lorsque la demande sera ouverte. Note: Le message ne sera pas renvoyé avec le paiement sur le réseaux ION.
@@ -3462,10 +3701,6 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
An optional amount to request. Leave this empty or zero to not request a specific amount.
Montant demandé. Optionnel, laissez vide ou zéro pour ne pas demander de montant spécifique.
-
- &Amount:
- Montant :
-
&Request payment
Demande le paiement
@@ -3478,6 +3713,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Clear
Effacer
+
+ Receiving Addresses
+ Adresses de réception
+
Requested payments history
Historique des requêtes de paiement
@@ -3500,7 +3739,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Copy label
- Copier le montant
+ Copier label
Copy message
@@ -3510,6 +3749,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Copy amount
Copier le montant
+
+ Copy address
+ Copier l'adresse
+
ReceiveRequestDialog
@@ -3580,6 +3823,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Message
Message
+
+ Address
+ Adresse
+
Amount
Montant
@@ -3679,6 +3926,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
0 ION
0 ION
+
+ SwiftX technology allows for near instant transactions - A flat fee of 0.01 ION applies
+ La technologie SwiftX permet des transactions quasi instantanées - Des frais minimum de 0.01 ION s'appliquent
+
Transaction Fee:
Commission de transaction
@@ -3719,6 +3970,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
SwiftX
SwiftX
+
+ Confirmation time:
+ Délai de confirmation:
+
Open Coin Control...
Ouvrir le contrôle des pièces ...
@@ -3727,6 +3982,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Coins automatically selected
Pièces automatiquement sélectionnées
+
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+ Si le tarif personnalisé est fixé à 1000 uION et que la transaction ne représente que 250 octets, "par kilo-octet", alors le système ne paiera que 250 uION en frais,<br />tandis que le choix "au moins" paiera 1000 uION forfaitairement. Pour les transactions supérieures à un kilo-octet, les deux choix paieront les frais par kilo-octets.
+
+
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "total at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+ Si le tarif personnalisé est fixé à 1000 uION et que la transaction ne représente que 250 octets, "par kilo-octet", alors le système ne paiera que 250 uION en frais,tandis que le choix "total au moins" paiera 1000 uION. Pour les transactions supérieures à un kilo-octet, les deux choix paieront les frais par kilo-octets.
+
Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks.<br />But be aware that this can end up in a never confirming transaction once there is more demand for ION transactions than the network can process.
Payer les frais minimum est convenable tant qu'il y a moins de volume de transactions que d'espace dans les blocs. <br /> Mais sachez que cela peut aboutir à une transaction qui ne se confirmera jamais lorsqu'il y aura plus de transactions ION que le réseau ne peut en traiter.
@@ -3903,6 +4166,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Pay only the minimum fee of %1
Payer uniquement les frais minimum de %1
+
+ Estimated to get 6 confirmations near instantly with <b>SwiftX</b>!
+ Estimé d'obtenir 6 confirmations quasi instantanément avec <b>SwiftX</b>!
+
+
+ Warning: Unknown change address
+ Attention: adresse de changement inconnue
+
(no label)
(pas de label)
@@ -3958,10 +4229,22 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Message:
Message :
+
+ A message that was attached to the ION: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the ION network.
+ Un message qui était attaché au ION: URI qui sera stockée avec la transaction pour votre référence ultérieure. Remarque: Ce message ne sera pas envoyé sur le réseau ION.
+
+
+ This is an unverified payment request.
+ Ceci est une demande de paiement non vérifiée.
+
Pay To:
Payer à :
+
+ Memo:
+ Mémo:
+
This is a verified payment request.
Ceci est une requête de paiement vérifiée.
@@ -3973,13 +4256,29 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
ShutdownWindow
-
+
+ ION Core is shutting down...
+ ION Core est en cours de fermeture...
+
+
+ Do not shut down the computer until this window disappears.
+ N'arrêtez pas l'ordinateur tant que cette fenêtre n'a pas disparu.
+
+
SignVerifyMessageDialog
+
+ Signatures - Sign / Verify a Message
+ Signatures - Signer / Vérifier un Message
+
&Sign Message
Signer le message
+
+ You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.
+ Vous pouvez signer des messages avec vos adresses pour prouver que vous les possédez. Veillez à ne rien signer d'imprécis, car des attaques de type phishing pourraient vous inciter à divulger votre identité. Ne signez que des déclarations détaillées que vous avez approuvé.
+
The ION address to sign the message with
L'adresse ION avec laquelle signer le message
@@ -4000,6 +4299,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Alt+P
Alt+P
+
+ Enter the message you want to sign here
+ Entrez ici le texte que vous souhaitez signer
+
Signature
Signature
@@ -4036,10 +4339,22 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
&Verify Message
Vérifier le message
+
+ Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.
+ Entrez l'adresse de signature, le message (veillez à copier précisément les sauts de ligne, les espaces, les onglets, etc...) et la signature ci-dessous pour vérifier le message. Verifiez que vous ne lisez pas plus d'informations dans la signature que ce qui se trouve dans le message signé lui-même, afin d'éviter de se faire piéger par une attaque de type intermédiaire (tel que l'ajout d'informations à votre insu lors d'un copié/collé).
+
Verify &Message
Vérifier le message
+
+ Reset all verify message fields
+ Réinitialiser tous les champs de vérification du message
+
+
+ Click "Sign Message" to generate signature
+ Cliquez sur "Signer le Message" pour générer la signature
+
The entered address is invalid.
L'adresse entrée est incorrecte.
@@ -4076,51 +4391,251 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Please check the signature and try again.
Merci de vérifier la signature et de ré-essayer.
-
-
- SplashScreen
- Ion Core
- Ion Core
+ The signature did not match the message digest.
+ La signature ne correspond pas au résumé du message.
-
-
- TrafficGraphWidget
-
-
- TransactionDesc
- Status
- Statuts
+ Message verification failed.
+ La vérification du message a échoué.
- Date
- Date
+ Message verified.
+ Message vérifié.
+
+
+ SplashScreen
- watch-only
- témoin seulement
+ ION Core
+ ION Core
- label
- label
+ Version %1
+ Version %1
- Message
- Message
+ The Bitcoin Core developers
+ Les développeurs Bitcoin Core
- Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.
+ The Dash Core developers
+ Les développeurs Dash Core
+
+
+ The ION Core developers
+ Les développeurs ION Core
+
+
+ [testnet]
+ [testnet]
+
+
+
+ TrafficGraphWidget
+
+ KB/s
+ Ko/s
+
+
+
+ TransactionDesc
+
+ Open for %n more block(s)
+ Ouvert pour %n blocs supplémentairesOuvert pour %n blocs supplémentaires
+
+
+ Open until %1
+ Ouvrir jusqu'à %1
+
+
+ conflicted
+ en conflit
+
+
+ %1/offline
+ %1/hors ligne
+
+
+ %1/unconfirmed
+ %1/non confirmé
+
+
+ %1 confirmations
+ %1 confirmations
+
+
+ %1/offline (verified via SwiftX)
+ %1/hors ligne (vérifié via SwiftX)
+
+
+ %1/confirmed (verified via SwiftX)
+ %1/confirmé (vérifié via SwiftX)
+
+
+ %1 confirmations (verified via SwiftX)
+ %1 confirmations (vérifié via SwiftX)
+
+
+ %1/offline (SwiftX verification in progress - %2 of %3 signatures)
+ %1/hors ligne (Vérification SwiftX en cours - %2 de %3 signatures)
+
+
+ %1/confirmed (SwiftX verification in progress - %2 of %3 signatures )
+ %1/confirmé (vérification SwiftX en cours - %2 sur %3 signatures)
+
+
+ %1 confirmations (SwiftX verification in progress - %2 of %3 signatures)
+ %1 confirmations (Vérification SwiftX en cours - %2 de %3 signatures)
+
+
+ %1/offline (SwiftX verification failed)
+ %1/hors ligne (Vérification SwiftX échouée)
+
+
+ %1/confirmed (SwiftX verification failed)
+ %1/confirmé (vérification SwiftX a échoué)
+
+
+ Status
+ Statuts
+
+
+ , has not been successfully broadcast yet
+ , n'a pas encore été diffusé avec succès
+
+
+ , broadcast through %n node(s)
+ , diffusion à travers %n noeuds, diffusion à travers %n noeuds
+
+
+ Date
+ Date
+
+
+ Source
+ Source
+
+
+ Generated
+ Généré
+
+
+ From
+ De
+
+
+ unknown
+ inconnu
+
+
+ To
+ À
+
+
+ own address
+ Adresse personnelle
+
+
+ watch-only
+ témoin seulement
+
+
+ label
+ label
+
+
+ Credit
+ Crédit
+
+
+ matures in %n more block(s)
+ mature dans %n blocs supplémentairesmature dans %n blocs supplémentaires
+
+
+ not accepted
+ pas accepté
+
+
+ Debit
+ Débit
+
+
+ Total debit
+ Total débit
+
+
+ Total credit
+ Total crédit
+
+
+ Transaction fee
+ Frais de transaction
+
+
+ Net amount
+ Montant net
+
+
+ Message
+ Message
+
+
+ Comment
+ Commentaire
+
+
+ Transaction ID
+ ID de transaction
+
+
+ Output index
+ Index de sortie
+
+
+ Merchant
+ Marchand
+
+
+ Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.
Les pièces créées doit murir %1 blocs avant qu'elles ne puissent être dépensées. Lorsque vous générez ce bloc, il est diffusé sur le réseau afin d'être ajouté à la chaîne de blocs. Si cet ajout échoue, son statut sera modifié à "non accepté" et il ne sera pas dépensable. Ceci peut arriver occasionnellement lorsqu'un autre noeud du réseau génère un bloc quelques secondes avant le votre.
+
+ Debug information
+ Information de débug
+
+
+ Transaction
+ Transaction
+
+
+ Inputs
+ Entrées
+
Amount
Montant
-
+
+ true
+ vrai
+
+
+ false
+ faux
+
+
TransactionDescDialog
-
+
+ Transaction details
+ Détails de transaction
+
+
+ This pane shows a detailed description of the transaction
+ Ce volet affiche une description détaillée de la transaction
+
+
TransactionTableModel
@@ -4135,6 +4650,42 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Address
Adresse
+
+ Open for %n more block(s)
+ Ouvert pour %n blocs supplémentairesOuvert pour %n blocs supplémentaires
+
+
+ Open until %1
+ Ouvrir jusqu'à %1
+
+
+ Offline
+ Hors ligne
+
+
+ Unconfirmed
+ Non confirmé
+
+
+ Confirming (%1 of %2 recommended confirmations)
+ Confirmation en cours (%1 de %2 confirmations requises)
+
+
+ Confirmed (%1 confirmations)
+ Confirmé (%1 confirmations)
+
+
+ Conflicted
+ En conflit
+
+
+ Immature (%1 confirmations, will be available after %2)
+ Immature (%1 confirmations, sera disponible après %2)
+
+
+ This block was not received by any other nodes and will probably not be accepted!
+ Ce bloc n'a été reçu par aucun autre noeud du réseau et sera probablement refusé!
+
Received with
Reçu avec
@@ -4189,7 +4740,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Sent to
- Envoyer à
+ Envoyé à
Orphan Block - Generated but not accepted. This does not impact your holdings.
@@ -4211,6 +4762,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
watch-only
témoin seulement
+
+ (n/a)
+ (n/a)
+
+
+ Transaction status. Hover over this field to show number of confirmations.
+ État de la transaction. Survolez le champ pour voir le nombre de transactions.
+
Date and time that the transaction was received.
Date et heure a laquelle la transaction fut reçue
@@ -4258,13 +4817,25 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
This year
Cette année
+
+ Range...
+ Choisir la période...
+
+
+ Most Common
+ Plus courant
+
Received with
Reçu avec
Sent to
- Envoyer à
+ Envoyé à
+
+
+ To yourself
+ A vous-même
Mined
@@ -4272,7 +4843,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Minted
- Monnayez
+ Récompense Stake
Masternode Reward
@@ -4280,161 +4851,653 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Zerocoin Mint
- Zerocoin Monnayez
+ ION convertit en xION
+
+
+ Zerocoin Spend
+ Dépense Zerocoin
+
+
+ Zerocoin Spend to Self
+ Dépense Zerocoin à soi-même
+
+
+ Other
+ Autre
Enter address or label to search
Entrez l'adresse ou label à rechercher
+
+ Min amount
+ Montant min
+
Copy address
Copier l'adresse
Copy label
+ Copier label
+
+
+ Copy amount
Copier le montant
- Copy amount
- Copier le montant
+ Copy transaction ID
+ Copier l'ID de la transaction
+
+
+ Edit label
+ Modifier label
+
+
+ Show transaction details
+ Afficher les détail de transaction
+
+
+ Hide orphan stakes
+ Masquer les récompenses Stake orphelines
+
+
+ Export Transaction History
+ Exporter l'historique des transactions
+
+
+ Comma separated file (*.csv)
+ Fichier avec séparation par des virgules (*.csv)
+
+
+ Confirmed
+ Confirmé
+
+
+ Watch-only
+ Témoin
+
+
+ Date
+ Date
+
+
+ Type
+ Type
+
+
+ Label
+ Label
+
+
+ Address
+ Adresse
+
+
+ ID
+ ID
+
+
+ Exporting Failed
+ Exportation échouée
+
+
+ There was an error trying to save the transaction history to %1.
+ Une erreur est survenue lors de la tentative de sauvegarde de l'historique de transaction vers %1.
+
+
+ Exporting Successful
+ Exportation réussie
+
+
+ Received ION from xION
+ ION reçu depuis xION
+
+
+ Zerocoin Spend, Change in xION
+ Dépense Zerocoin, monnaie rendue en xION
+
+
+ The transaction history was successfully saved to %1.
+ L'historique de transaction a été correctement sauvegardé à %1.
+
+
+ Range:
+ Période:
+
+
+ to
+ à
+
+
+
+ UnitDisplayStatusBarControl
+
+ Unit to show amounts in. Click to select another unit.
+ Unité pour afficher les montants. Cliquez pour choisir une autre unité.
+
+
+
+ WalletFrame
+
+ No wallet has been loaded.
+ Aucun portefeuille n'a été chargé.
+
+
+
+ WalletModel
+
+ Send Coins
+ Envoyer des pièces
+
+
+ SwiftX doesn't support sending values that high yet. Transactions are currently limited to %1 ION.
+ SwiftX ne supporte pas l'envoi de montants aussi élevés. Les transactions sont actuellement lmitées à %1 ION.
+
+
+
+ WalletView
+
+ HISTORY
+ HISTORIQUE
+
+
+ &Export
+ Exporter
+
+
+ Export the data in the current tab to a file
+ Exporter les informations de l'onglet actuel vers un fichier
+
+
+ Selected amount:
+ Montant sélectionné :
+
+
+ Backup Wallet
+ Sauvegarder le Portefeuille
+
+
+ Wallet Data (*.dat)
+ Wallet Data (*.dat)
+
+
+
+ XIonControlDialog
+
+ Select xION to Spend
+ Choisir les xION à dépenser
+
+
+ Quantity
+ Quantité
+
+
+ 0
+ 0
+
+
+ xION
+ xION
+
+
+ Select/Deselect All
+ Tout Sélectionner/Désélectionner
+
+
+ Spendable?
+ Dépensable ?
+
+
+
+ ion-core
+
+ (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data)
+ (1 = conserve les métadonnées de transaction, par exemple le propriétaire du compte et les informations de demande de paiement, 2 = supprime les métadonnées)
+
+
+ Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times
+ Autoriser les connexions JSON-RPC à partir de la source spécifiée. Valable pour <ip> comme une seule adresse IP (par exemple, 1.2.3.4), un réseau / masque de sous-réseau (par exemple, 1.2.3.4/255.255.255.0) ou un réseau / CIDR (par exemple, 1.2.3.4/24). Cette option peut être spécifiée plusieurs fois.
+
+
+ Bind to given address and always listen on it. Use [host]:port notation for IPv6
+ Relier à des adresses spécifiques et toujours écouter dessus. Utilisez [host]:port pour IPv6
+
+
+ Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6
+ Relier à des adresses spécifiques et ajouter à la liste blanche les pairs qui s'y connectent. Utilisez la notation [host]:port pour IPv6
+
+
+ Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces)
+ Relier à une adresse spécifique pour écouter les connexions JSON-RPC. Utilisez la notation [host]:port pour IPv6. Cette option peut être spécifiée plusieurs fois (par défaut: liaison à toutes les interfaces)
+
+
+ Calculated accumulator checkpoint is not what is recorded by block index
+ Le point de contrôle de l'accumulateur qui a été calculé ne correspond pas à ce qui est enregistré par l'index de bloc
+
+
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Impossible de vérouiller le répertoire de données %s. ION Core est probablement déjà en cours d'exécution.
+
+
+ Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
+ Modifier le comportement du vote budgétaire automatique. mode = auto: ne votez que pour une correspondance exacte avec votre budget généré. (chaîne, par défaut: auto)
+
+
+ Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u)
+ Limiter continuellement les transactions gratuites à <n>* 1000 octets par minute (par défaut: %u)
+
+
+ Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality)
+ Créer les nouveaux fichiers avec les autorisations système par défaut, au lieu de umask 077 (efficace uniquement avec la fonctionnalité de portefeuille désactivée)
+
+
+ Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup
+ Supprimer toutes les transactions de portefeuille et ne récupérer ces parties de la blockchain que via -rescan au démarrage
+
+
+ Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>.
+ Distribué sous la licence du logiciel MIT, consultez le fichier d'accompagnement COPYING ou <http://www.opensource.org/licenses/mit-license.php>.
+
+
+ Enable automatic Zerocoin minting from specific addresses (0-1, default: %u)
+ Activer la frappe automatique de monnaie à partir d’adresses spécifiques (0-1, par défaut: %u)
+
+
+ Enable or disable staking functionality for ION inputs (0-1, default: %u)
+ Active ou désactive la fonctionnalité de staking pour les entrées ION (0-1, par défaut: %u)
+
+
+ Enable or disable staking functionality for xION inputs (0-1, default: %u)
+ Active ou désactive la fonctionnalité de staking pour les entrées xION (0-1, par défaut: %u)
+
+
+ Enable spork administration functionality with the appropriate private key.
+ Activer la fonctionnalité d'administration de spork avec la clé privée appropriée.
+
+
+ Enter regression test mode, which uses a special chain in which blocks can be solved instantly.
+ Entrer dans le mode de test de régression, qui utilise une chaîne spéciale dans laquelle les blocs peuvent être résolus instantanément.
+
+
+ Error: Listening for incoming connections failed (listen returned error %s)
+ Erreur: L'écoute des connexions entrantes a échoué (listen a renvoyé l'erreur %s)
+
+
+ Error: The transaction is larger than the maximum allowed transaction size!
+ Erreur: La transaction est plus grande que la taille maximum autorisée!
+
+
+ Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported.
+ Erreur: Argument -socks non pris en charge. Le paramétrage de SOCKS n'est plus possible, seul les proxies SOCKS5 sont supportés.
+
+
+ Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message)
+ Execute la commande quand une alerte pertinente est reçue ou que nous constatons un long fork dans la chaine (%s dans cmd est remplacé par un message)
+
+
+ Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)
+ Exécuter la commande quand une transaction de portefeuille change (%s dans cmd est remplacé par l'identifiant de transaction)
+
+
+ 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 hash du bloc)
+
+
+ Fees (in ION/Kb) smaller than this are considered zero fee for relaying (default: %s)
+ Les frais (en ION / Kb) inférieurs à ceux-ci sont considérés comme des frais nuls pour le relais (par défaut: %s)
+
+
+ Fees (in ION/Kb) smaller than this are considered zero fee for transaction creation (default: %s)
+ Les frais (en ION / Kb) inférieurs à cette valeur sont considérés comme des frais nuls pour la création de transaction (par défaut: %s)
+
+
+ Flush database activity from memory pool to disk log every <n> megabytes (default: %u)
+ Vider l'activité de la base de données du pool de mémoire vers le journal du disque tous les <n>mégaoctets (par défaut: %u)
+
+
+ Found unconfirmed denominated outputs, will wait till they confirm to continue.
+ Les sorties libellées non confirmées attendront jusqu'à ce qu'elles se confirment pour continuer.
+
+
+ If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u)
+ Si paytxfee n'est pas défini, incluez suffisamment de frais pour que les transactions commencent la confirmation en moyenne dans les n blocs (par défaut: %u)
+
+
+ In this mode -genproclimit controls how many blocks are generated immediately.
+ Dans ce mode, -genproclimit contrôle le nombre de blocs générés immédiatement.
+
+
+ Insufficient or insufficient confirmed funds, you might need to wait a few minutes and try again.
+ Vos fonds confirmés sont insuffisants, attendez quelques minutes et essayez à nouveau.
+
+
+ Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions)
+ Montant incorrect pour -maxtxfee=<amount>: '%s' (doit être au minimum de %s afin d'éviter que la transaction reste bloquée)
+
+
+ Keep the specified amount available for spending at all times (default: 0)
+ Garder le montant spécifié disponible pour la dépense en tous temps (défaut: 0)
+
+
+ Log transaction priority and fee per kB when mining blocks (default: %u)
+ Journaliser la priorité des transactions et les frais par Ko lors de l'extraction de blocs (par défaut: %u)
+
+
+ Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)
+ Maintenir un index de transaction complet, utilisé par l'appel rpc de getrawtransaction (par défaut: %u)
+
+
+ Maximum size of data in data carrier transactions we relay and mine (default: %u)
+ Taille maximale des données dans les transactions de support de données que nous transmettons et minons (par défaut: %u)
+
+
+ Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s)
+ Total des frais maximum à utiliser dans une même transaction, paramétrer une valeur trop basse peut empêcher des transactions importantes (défaut: %s)
+
+
+ Number of seconds to keep misbehaving peers from reconnecting (default: %u)
+ Nombre de secondes pendant lesquelles les pairs se conduisant mal ne peuvent pas se reconnecter (par défaut: %u)
+
+
+ Obfuscation uses exact denominated amounts to send funds, you might simply need to anonymize some more coins.
+ L'Obfuscation utilise des montants libellés précis pour envoyer des fonds, vous devriez peut-être simplement anonymiser des pièces supplémentaires.
+
+
+ Output debugging information (default: %u, supplying <category> is optional)
+ Informations de débogage en sortie (par défaut: %u, fournir <category> est facultatif)
+
+
+ Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect)
+ Requêter les adresses des pairs via la recherche DNS, si faible sur les adresses (par défaut: 1 sauf si -connect)
+
+
+ Randomize credentials for every proxy connection. This enables Tor stream isolation (default: %u)
+ Définir aléatoirement les informations d'identification pour chaque connexion proxy. Cela permet d'isoler le flux Tor (par défaut: %u)
+
+
+ Require high priority for relaying free or low-fee transactions (default:%u)
+ Exiger une priorité éleveée pour relayer des transactions gratuites ou à faible coût (par défaut: %u)
+
+
+ Send trace/debug info to console instead of debug.log file (default: %u)
+ Envoyer des informations de trace/débogage à la console au lieu du fichier debug.log (par défaut: %u)
+
+
+ Set maximum size of high-priority/low-fee transactions in bytes (default: %d)
+ Définir la taille maximale des transactions à priorité élevée / faible tarif en octets (par défaut: %d)
+
+
+ Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d)
+ Définir le nombre de threads de vérification de script (%u à %d, 0 = auto, <0 = laisse autant de cœurs libres, par défaut: %d)
+
+
+ Set the number of threads for coin generation if enabled (-1 = all cores, default: %d)
+ Définir le nombre de threads pour la génération des pièces, si activé (-1 = tous les cœurs, par défaut: %d)
+
+
+ Show N confirmations for a successfully locked transaction (0-9999, default: %u)
+ Affiche N confirmations pour une transaction correctement verrouillée (0-9999, par défaut: %u)
+
+
+ Support filtering of blocks and transaction with bloom filters (default: %u)
+ Supporter le filtrage des blocs et des transactions avec des filtres de Bloom (par défaut: %u)
+
+
+ This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard.
+ Ce produit inclut un logiciel développé par OpenSSL Project pour être utilisé dans OpenSSL Toolkit <https://www.openssl.org/> et le logiciel de cryptographie écrit par Eric Young ainsi que le logiciel UPnP écrit par Thomas Bernard.
+
+
+ Total length of network version string (%i) exceeds maximum length (%i). Reduce the number or size of uacomments.
+ La longueur totale de la chaîne dans la version réseau (%i) dépasse la longueur maximale (%i). Réduisez le nombre ou la taille des commentaires de l'Agent Utilisateur
+
+
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Impossible de se lier à %s depuis cet ordinateur. ION Core est probablement déjà en cours d'exécution.
+
+
+ Unable to locate enough Obfuscation denominated funds for this transaction.
+ Incapable de localiser suffisamment de fonds non-dénommés pour l'Obfuscation de cette transaction.
+
+
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Incapable de localiser suffisamment de fonds non-dénommés pour l'Obfuscation de cette transaction qui ne sont pas égaux à 20000 ION.
+
+
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Impossible de grouper assez de fonds pour cette transaction qui n'est pas égale à 20000 ION.
+
+
+ Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
+ Utilisez un proxy SOCKS5 séparé pour rejoindre les pairs via les services cachés Tor (par défaut: %s)
+
+
+ Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction.
+ Attention: -maxtxfee est très élevé! Ces frais importants pourraient être payés lors d'une seule transaction.
+
+
+ Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.
+ Attention: -paytxfee est réglé très haut! Ce sont les frais de transaction que vous paierez si vous envoyez une transaction.
+
+
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Avertissement: Veuillez vérifier que la date et l'heure de votre ordinateur sont correctes! Si votre horloge est incorrecte, ION Core ne fonctionnera pas correctement.
+
+
+ Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
+ Attention: le réseau ne semble pas totalement d'accord! Certains mineurs semblent avoir des problèmes.
+
+
+ Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade.
+ Attention: Il semble que nous soyons en désaccord avec nos pairs sur le réseau! Cela signifie que vous pourriez avoir besoin de mettre à jour votre ION Core, ou que les autres noeuds aient besoin de se mettre à jour de leur côté.
+
+
+ Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.
+ Attention: erreur de lecture du fichier wallet.dat! Toutes les clés sont lues correctement, mais les données de transaction ou les entrées du carnet d'adresse pourraient être manquantes ou incorrectes.
+
+
+ Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.
+ Attention: wallet.dat corrompu, données récupérées! Le wallet.dat original est enregistré en tant que wallet.{timestamp}.bak in %s; Si votre solde ou vos transactions sont incorrects, vous devez restaurer à partir de votre sauvegarde.
+
+
+ Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times.
+ Mettre en liste blanche les pairs se connectant à partir du masque de réseau ou de l'adresse IP donnés. Peut être spécifié plusieurs fois.
+
+
+ Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway
+ Les pairs inscrits sur la liste blanche ne peuvent pas être interdits par le DoS et leurs transactions sont toujours relayées, même si elles sont déjà dans le mempool, utile par exemple pour une passerelle
+
+
+ You must specify a masternodeprivkey in the configuration. Please see documentation for help.
+ Vous devez spécifier une masternodeprivkey dans la configuration. Veuillez consulter la documentation pour obtenir de l'aide.
+
+
+ (12700 could be used only on mainnet)
+ (12700 ne peut être utilisé que pour le mainnet)
+
+
+ (default: %s)
+ (défaut: %s)
+
+
+ (default: 1)
+ (default: 1)
+
+
+ (must be 12700 for mainnet)
+ (doit être 12700 pour le mainnet)
+
+
+ Accept command line and JSON-RPC commands
+ Accepter les lignes de commandes et les commandes JSON-RPC
+
+
+ Accept connections from outside (default: 1 if no -proxy or -connect)
+ Accepter les connections depuis l'extérieur (défaut: 1 si pas de -proxy ou -connect)
+
+
+ Accept public REST requests (default: %u)
+ Accepter les requêtes REST publiques (défaut: %u)
+
+
+ Add a node to connect to and attempt to keep the connection open
+ Ajouter un noeud pour se connecter avec et essayer de garder la connexion ouverte.
+
+
+ Allow DNS lookups for -addnode, -seednode and -connect
+ Autoriser les recherches DNS pour -addnode, -seednode et -connect
+
+
+ Already have that input.
+ Vous avez déjà cette entrée.
+
+
+ Always query for peer addresses via DNS lookup (default: %u)
+ Toujours rechercher les adresses des pairs via une recherche DNS (par défaut: %u)
+
+
+ Append comment to the user agent string
+ Ajouter un commentaire à la chaîne de l'Agent Utilisateur
+
+
+ Attempt to recover private keys from a corrupt wallet.dat
+ Essaye de restaurer les clés privées depuis un fichier wallet.dat corrompu
+
+
+ Automatically create Tor hidden service (default: %d)
+ Créer automatiquement un service Tor caché (défaut: %d)
+
+
+ Block creation options:
+ Options de création de bloc:
+
+
+ Calculating missing accumulators...
+ Calcul des accumulateurs manquants...
+
+
+ Can't denominate: no compatible inputs left.
+ Ne peut dénommer: aucune entrée compatible laissée.
- Copy transaction ID
- Copier l'ID de la transaction
+ Can't find random Masternode.
+ Ne peut pas trouver un Masternode aléatoire
- Edit label
- Modifier label
+ Can't mix while sync in progress.
+ Ne peut pas mélanger lorsqu'une sycnhronisation est en cours
- Comma separated file (*.csv)
- Fichier avec séparation par des virgules (*.csv)
+ Cannot downgrade wallet
+ Ne peut pas rétrograder le portefeuille
- Confirmed
- Confirmé
+ Cannot resolve -bind address: '%s'
+ Impossible de résoudre l'adresse -bind: '%s'
- Watch-only
- Témoin
+ Cannot resolve -externalip address: '%s'
+ Impossible de résoudre l'adresse -externalip: '%s'
- Date
- Date
+ Cannot resolve -whitebind address: '%s'
+ Impossible de résoudre l'adresse -whitebind: '%s'
- Type
- Type
+ Cannot write default address
+ Impossible d'écrire l'adresse par défaut
- Label
- Label
+ Collateral not valid.
+ Collatéral invalide.
- Address
- Adresse
+ Connect only to the specified node(s)
+ Se connecter uniquement au(x) noeud(s) spécifié(s)
- Exporting Failed
- Exportation échouée
+ Connect through SOCKS5 proxy
+ Connecter à travers un proxy SOCKS5
- There was an error trying to save the transaction history to %1.
- Une erreur est survenue lors de la tentative de sauvegarde de l'historique de transaction vers %1.
+ Connect to a node to retrieve peer addresses, and disconnect
+ Se connecter à un noeud pour retrouver les adresses des pairs et se déconnecter ensuite
- Received ION from xION
- ION reçu depuis xION
+ Connection options:
+ Options de connection:
- Zerocoin Spend, Change in xION
- Dépense Zerocoin, monnaie rendue en xION
+ Copyright (C) 2009-%i The Bitcoin Core Developers
+ Copyright (C) 2009-%i Les développeurs de Bitcoin Core
-
-
- UnitDisplayStatusBarControl
-
-
- WalletFrame
-
-
- WalletModel
- Send Coins
- Envoyer des pièces
+ Copyright (C) 2014-%i The Dash Core Developers
+ Copyright (C) 2014-%i Les développeurs de DASH Core
-
-
- WalletView
- &Export
- &Exporter
+ Copyright (C) 2015-%i The PIVX Core Developers
+ Copyright (C) 2015-%i Les développeurs de PIVX Core
- Export the data in the current tab to a file
- Exporter les informations de l'onglet actuel vers un fichier
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i Les développeurs de ION Core
- Selected amount:
- Montant sélectionné :
+ Corrupted block database detected
+ Corruption des base de données de blocs détectée
- Backup Wallet
- Sauvegarder le Portefeuille
+ Could not parse masternode.conf
+ Impossible d'analyser masternode.conf
- Wallet Data (*.dat)
- Wallet Data (*.dat)
+ Debugging/Testing options:
+ Options de déboguage/test:
-
-
- XIonControlDialog
- Quantity
- Quantité
+ Delete blockchain folders and resync from scratch
+ Supprimer les dossiers blockchain et resynchroniser à partir de zéro
- 0
- 0
+ Disable OS notifications for incoming transactions (default: %u)
+ Désactiver les notifications de l'OS pour les transcation entrantes (défaut: %u)
- xION
- xION
+ Disable safemode, override a real safe mode event (default: %u)
+ Désactiver le mode sans échec , remplacer un événement en mode sans échec réel (par défaut: %u)
-
-
- ion-core
- Enable or disable staking functionality for ION inputs (0-1, default: %u)
- Active ou désactive la fonctionnalité de staking pour les entrées ION (0-1, par défaut: %u)
+ Discover own IP address (default: 1 when listening and no -externalip)
+ Découvrir sa propre adresse IP (par défaut: 1 lorsqu'en écoute et sans -externalip)
- Enable or disable staking functionality for xION inputs (0-1, default: %u)
- Active ou désactive la fonctionnalité de staking pour les entrées xION (0-1, par défaut: %u)
+ Do not load the wallet and disable wallet RPC calls
+ Ne pas charger le portefeuille et désactiver les appels RPC
- Error: Listening for incoming connections failed (listen returned error %s)
- Erreur: L'écoute des connexions entrantes a échoué (listen a renvoyé l'erreur %s)
+ Do you want to rebuild the block database now?
+ Voulez-vous reconstruire la base de données des blocs maintenant ?
- Error: The transaction is larger than the maximum allowed transaction size!
- Erreur: La transaction est plus grande que la taille maximum autorisée!
+ Done loading
+ Chargement effectué
- Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported.
- Erreur: Argument -socks non pris en charge. Le paramétrage de SOCKS n'est plus possible, seul les proxies SOCKS5 sont supportés.
+ Enable publish hash transaction (locked via SwiftX) in <address>
+ Activer la publication du hash des transactions (vérouillées via SwiftX) dans <address>
- Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)
- Exécuter la commande quand une transaction de portefeuille change (%s dans cmd est remplacé par l'identifiant de transaction)
+ Enable publish raw transaction (locked via SwiftX) in <address>
+ Activer la publication des transactions brut (vérouillées via SwiftX) dans <address>
- 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 hash du bloc)
+ Enable the client to act as a masternode (0-1, default: %u)
+ Activer le client pour agir en tant que Masternode (0-1, défaut: %u)
- Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect.
- Attention: erreur de lecture du fichier wallet.dat! Toutes les clés sont lues correctement, mais les données de transaction ou les entrées du carnet d'adresse pourraient être manquantes ou incorrectes.
+ Entries are full.
+ Les entrées sont complètes.
Error connecting to Masternode.
@@ -4461,7 +5524,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Erreur de chargement du fichier wallet.dat: Portefeuille corrompu
- Error loading wallet.dat: Wallet requires newer version of Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
Erreur de chargement du fichier wallet.dat: Le portefeuille nécessite une version plus récente du ION core
@@ -4476,6 +5539,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Error recovering public key.
Erreur de récupération de la clé publique.
+
+ Error writing zerocoinDB to disk
+ Erreur lors de l'écriture de zerocoinDB sur le disque
+
Error
Erreur
@@ -4504,13 +5571,169 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Error: You already have pending entries in the Obfuscation pool
Erreur: Vous avez déjà des enregistrements en attente de la pool d'obfuscation
+
+ Failed to calculate accumulator checkpoint
+ Échec du calcul du point de contrôle de l'accumulateur
+
+
+ Failed to listen on any port. Use -listen=0 if you want this.
+ Écoute impossible quelque soit le port. Utilisez -listen=0 si c'est cela que vous souhaitez.
+
+
+ Failed to parse host:port string
+ Impossible d'interprêter la chaine host:port
+
+
+ Failed to read block
+ Impossible de lire le bloc
+
+
+ Fee (in ION/kB) to add to transactions you send (default: %s)
+ Frais (en ION/kB) à ajouter aux transactions envoyées (défaut: %s)
+
+
+ Finalizing transaction.
+ Finalisation de la transaction.
+
+
+ Force safe mode (default: %u)
+ Forcer le mode sans échec (défaut: %u)
+
+
+ Found enough users, signing ( waiting %s )
+ Trouvé assez d'utilisateurs, signature en cours ( attente %s)
+
+
+ Found enough users, signing ...
+ Trouvé assez d'utilisateurs, signature en cours ...
+
+
+ Generate coins (default: %u)
+ Générer des pièces (par défaut: %u)
+
+
+ How many blocks to check at startup (default: %u, 0 = all)
+ Nombre de blocs à vérifier au démarrage (défaut: %u, 0 = tous)
+
+
+ If <category> is not supplied, output all debugging information.
+ Si <category> n'est pas fourni, afficher toutes les informations de débogage.
+
+
+ Importing...
+ Importation...
+
+
+ Imports blocks from external blk000??.dat file
+ Importe les blocs à partir du fichier externe blk000??.dat
+
+
+ Include IP addresses in debug output (default: %u)
+ Inclure les adresses IP dans les informations de déboguage (par défaut: %u)
+
+
+ Incompatible mode.
+ Mode incompatible.
+
+
+ Incompatible version.
+ Version incompatible.
+
+
+ Incorrect or no genesis block found. Wrong datadir for network?
+ Bloc de genèse incorrect ou non trouvé. Peut-être un mauvais datadir pour le réseau ?
+
Information
Information
+
+ Initialization sanity check failed. ION Core is shutting down.
+ Échec de la vérification de l'initialisation. ION Core va fermer.
+
+
+ Input is not valid.
+ L'entrée n'est pas valide.
+
+
+ Insufficient funds
+ Fonds insuffisants
+
+
+ Insufficient funds.
+ Fonds insuffisants.
+
+
+ Invalid -onion address or hostname: '%s'
+ Adresse -onion ou hostname incorrect: '%s'
+
+
+ Invalid amount for -maxtxfee=<amount>: '%s'
+ Montant incorrect pour -maxtxfee=<amount>: '%s'
+
+
+ Invalid amount for -minrelaytxfee=<amount>: '%s'
+ Montant incorrect pour -minrelaytxfee=:<amount> '%s'
+
Invalid amount for -mintxfee=<amount>: '%s'
- Invalid amount for -mintxfee=<amount>: '%s'
+ Montant incorrect pour -mintxfee=<amount>: '%s'
+
+
+ Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s)
+ Montant incorrect pour -paytxfee=<amount>: '%s' (doit être au mininum %s)
+
+
+ Invalid amount for -paytxfee=<amount>: '%s'
+ Montant incorrect pour -paytxfee=<amount>: '%s'
+
+
+ Invalid amount for -reservebalance=<amount>
+ Montant incorrect pour -reservebalance=<amount>
+
+
+ Invalid amount
+ Montant incorrect
+
+
+ Invalid masternodeprivkey. Please see documenation.
+ Masternodeprivkey incorrecte. Regardez la documentation SVP.
+
+
+ Invalid netmask specified in -whitelist: '%s'
+ Masque réseau incorrect spécifié dans -whitelist: '%s'
+
+
+ Invalid port detected in masternode.conf
+ Port invalide détecté dans masternode.conf
+
+
+ Invalid private key.
+ Clé privée incorrecte.
+
+
+ Invalid script detected.
+ Script incorrect détecté.
+
+
+ Reindex the ION and xION money supply statistics
+ Recalculer les statistiques sur l'approvisionnement en ION et xION
+
+
+ Reindexing zerocoin database...
+ Réindexation de la base de données zerocoin...
+
+
+ Reindexing zerocoin failed
+ La réindexation zerocoin a échoué
+
+
+ Selected coins value is less than payment target
+ La valeur des monnaies choisies est inférieure au montant projeté
+
+
+ SwiftX options:
+ Options SwiftX:
This is a pre-release test build - use at your own risk - do not use for staking or merchant applications!
@@ -4527,6 +5750,20 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Monnayes actualisé
,
+
+ unconfirmed transactions removed
+
+ Transactions non confirmées supprimées
+
+
+
+ Disable all ION specific functionality (Masternodes, Zerocoin, SwiftX, Budgeting) (0-1, default: %u)
+ Désactiver toutes les fonctionnalités spécifiques à ION (Masternodes, Zerocoin, SwiftX, Budgétisation) (0-1, défaut: %u)
+
+
+ Enable SwiftX, show confirmations for locked transactions (bool, default: %s)
+ Activer SwiftX, montrer les confirmations pour les transactions vérouillées (booléen, défaut : %s)
+
Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.
Erreur: La transaction a été rejetée. Cela peut survenir si certaines pièces de votre portefeuille ont déjà été dépensées. Par exemple si vous avez utilisez une copie de wallet.dat et que les monnaies dépensées dans cette copie n'ont pas été marquées comme telles dans ce portefeuille.
@@ -4543,6 +5780,62 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Execute command when the best block changes and its size is over (%s in cmd is replaced by block hash, %d with the block size)
Exécute la commande lorsque le meilleur bloc change et que sa taille est finalisée (%s dans cmd est remplacé par le hash du bloc, %d avec la taille du bloc)
+
+ Failed to find coin set amongst held coins with less than maxNumber of Spends
+ Impossible de trouver des pièces parmi celles détenues avec moins de maxNumber de dépenses
+
+
+ In rare cases, a spend with 7 coins exceeds our maximum allowable transaction size, please retry spend using 6 or less coins
+ Dans quelques rares cas, une dépense de 7 monnaies dépasse la taille maximale autorisée pour une transation, SVP réessayez en choisissant 6 monnaies ou moins
+
+
+ Specify custom backup path to add a copy of any automatic xION backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup. If backuppath is set as well, 4 backups will happen
+ Spécifier un chemin de sauvegarde personnalisé pour y ajouter les sauvegardes automatiques xION. S'il est paramétré comme un dossier, chaque sauvegarde génère un fichier horodaté. S'il est paramétré comme fichier, chaque sauvegarde écrasera la précédente. Si le chemin de la sauvegarde est défini, il y aura 4 versions de sauvegardes
+
+
+ Specify custom backup path to add a copy of any wallet backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup.
+ Spécifier un chemin de sauvegarde personnalisé pour y ajouter les sauvegardes automatiques xION. S'il est paramétré comme un dossier, chaque sauvegarde génère un fichier horodaté. S'il est paramétré comme fichier, chaque sauvegarde écrasera la précédente.
+
+
+ SwiftX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again.
+ SwiftX requiert des entrées avec un minimum de 6 confirmations, attendez quelques minutes et réessayez.
+
+
+ <category> can be:
+ <category> peut être:
+
+
+ Attempt to force blockchain corruption recovery
+ Tenter de forcer la restauration d'une chaine de bloc corrompue
+
+
+ CoinSpend: Accumulator witness does not verify
+ CoinSpend: le témoin d'accumulateur ne vérifie pas
+
+
+ Display the stake modifier calculations in the debug.log file.
+ Afficher les calculs du modificateur de mise dans le fichier debug.log.
+
+
+ Display verbose coin stake messages in the debug.log file.
+ Afficher des messages détaillés dans le fichier debug.log.
+
+
+ Enable publish hash block in <address>
+ Activer la publication du bloc de hachage dans <address>
+
+
+ Enable publish hash transaction in <address>
+ Activer la publication d'une transaction de hachage dans <address>
+
+
+ Enable publish raw block in <address>
+ Activer la publication du bloc brut dans <address>
+
+
+ Enable publish raw transaction in <address>
+ Activer la publication des transactions brutes dans <address>
+
Enable staking functionality (0-1, default: %u)
Activer la fonctionnalité de staking (0-1, par défaut: %u)
@@ -4559,6 +5852,34 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Failed to create mint
Impossible de créer la monnayer
+
+ Failed to find Zerocoins in wallet.dat
+ Impossible de trouver un Zerocoin dans le portefeuille wallet.dat
+
+
+ Failed to select a zerocoin
+ Impossible de sélectionner un zerocoin
+
+
+ Failed to wipe zerocoinDB
+ Impossible de nettoyer zerocoinDB
+
+
+ Failed to write coin serial number into wallet
+ Impossible d'écrire le numéro de série de la monnaie dans le portefeuille
+
+
+ Keep at most <n> unconnectable transactions in memory (default: %u)
+ Conserver au maximum <n> transactions non connectables en mémoire (par défaut: %u)
+
+
+ Last Obfuscation was too recent.
+ La dernière Obfuscation est trop récente.
+
+
+ Last successful Obfuscation action was too recent.
+ La dernière Obfuscation réussie est trop récente.
+
Limit size of signature cache to <n> entries (default: %u)
Limiter la taille du cache de signature à <n> entrées (par défaut: %u)
@@ -4600,8 +5921,8 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Chargement des sporks...
- Loading wallet... (%3.1f %%)
- Chargement du portefeuille... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Chargement du portefeuille... (%3.2f %%)
Loading wallet...
@@ -4611,6 +5932,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Location of the auth cookie (default: data dir)
Emplacement du cookie d'authentification (par défaut: répertoire de données)
+
+ Lock is already in place.
+ Le vérouillage est déjà actif.
+
+
+ Lock masternodes from masternode configuration file (default: %u)
+ Verrouiller les masternodes à partir du fichier de configuration masternode (par défaut: %u)
+
Lookup(): Invalid -proxy address or hostname: '%s'
Lookup(): adresse-proxy ou nom d'hôte non valide: '%s'
@@ -4631,6 +5960,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Masternode:
Masternode:
+
+ Maximum per-connection receive buffer, <n>*1000 bytes (default: %u)
+ Tampon de réception maximum par connexion, * 1000 octets (par défaut: %u)
+
+
+ Maximum per-connection send buffer, <n>*1000 bytes (default: %u)
+ Tampon d'envoi maximum par connexion, <n>* 1000 octets (par défaut: %u)
+
Mint did not make it into blockchain
Monnayés ne pas fait entre dans la blockchain
@@ -4647,6 +5984,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Need address because change is not exact
Nécessite une adresse pour rendre la monnaie
+
+ Need to specify a port with -whitebind: '%s'
+ Nécessite de vérifier un port avec -whitebind: '%s'
+
No Masternodes detected.
Aucun Masternode détecté.
@@ -4655,6 +5996,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
No compatible Masternode found.
Aucun Masternode compatible trouvé.
+
+ No funds detected in need of denominating.
+ Aucun fonds détecté nécessitant une dénomination.
+
No matching denominations found for mixing.
Aucune dénomination adéquate trouvée pour le mélange.
@@ -4715,10 +6060,18 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Password for JSON-RPC connections
Mot de passe pour les connexions JSON-RPC
+
+ isValid(): Invalid -proxy address or hostname: '%s'
+ isValid(): adresses -proxy ou hostname invalides: '%s'
+
Preparing for resync...
Préparation à la resynchronistaion...
+
+ Prepend debug output with timestamp (default: %u)
+ Ajouter une sortie de débogage avec l'horodatage (par défaut: %u)
+
Print version and exit
Imprimer la version est quitter
@@ -4727,6 +6080,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
RPC server options:
Options serveur RPC:
+
+ Randomly drop 1 of every <n> network messages
+ Déposer aléatoirement 1 message tous les <n> messages du réseau
+
+
+ Randomly fuzz 1 of every <n> network messages
+ Couvrir aléatoirement 1 message tous les <n> messages du réseau
+
Rebuild block chain index from current blk000??.dat files
Reconstruire l'index de la chaîne de blocs à partir des fichiers blk000 ??.dat courants
@@ -4739,6 +6100,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Reindex the accumulator database
Réindexer la base de données des accumulateurs
+
+ Relay and mine data carrier transactions (default: %u)
+ Relayer et miner les transactions de support de données (par défaut: %u)
+
+
+ Relay non-P2SH multisig (default: %u)
+ Relayer les multisignatures non-P2SH (par défaut: %u)
+
Rescan the block chain for missing wallet transactions
Rescanner la chaîne de blocs pour retrouver les transactions manquantes dans le portefeuille
@@ -4749,7 +6118,11 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
ResetMintZerocoin finished:
- ResetMonnayerZerocoin terminé:
+ ResetMintZerocoin terminé:
+
+
+ ResetSpentZerocoin finished:
+ ResetSpentZerocoin terminé:
Run a thread to flush wallet periodically (default: %u)
@@ -4799,6 +6172,22 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Set the masternode private key
Définir la clé privée masternode
+
+ Set the number of threads to service RPC calls (default: %d)
+ Définir le nombre de threads pour traiter les appels RPC (par défaut: %d)
+
+
+ Sets the DB_PRIVATE flag in the wallet db environment (default: %u)
+ Définit l'indicateur DB_PRIVATE dans l'environnement db du portefeuille (défaut: %u)
+
+
+ Show all debugging options (usage: --help -help-debug)
+ Afficher toutes les options de déboguage (utilisation: -help -help-debug)
+
+
+ Shrink debug.log file on client startup (default: 1 when no -debug)
+ Réduire le fichier debug.log au démarrage du client (défaut: 1 quand pas de -debug)
+
Signing failed.
La signature a échoué.
@@ -4839,6 +6228,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Specify your own public address
Indiquez votre propre adresse publique
+
+ Spend Valid
+ Dépenser Valide
+
Spend unconfirmed change when sending transactions (default: %u)
Dépenser la monnaie non confirmée lors de l'envoi de transactions (par défaut: %u)
@@ -4847,6 +6240,14 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Staking options:
Options de staking:
+
+ Stop running after importing blocks from disk (default: %u)
+ Arrêter l'exécution après l'importation des blocs du disque (défaut: %u)
+
+
+ Submitted following entries to masternode: %u / %d
+ Entrées soumises au masternode: %u / %d
+
Submitted to masternode, waiting for more entries ( %u / %d ) %s
Soumis au masternode, en attente d'entrées supplémentaires ( %u / %d ) %s
@@ -4867,6 +6268,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Synchronization pending...
Synchronisation en attente...
+
+ Synchronizing budgets...
+ Synchronisation des budgets...
+
Synchronizing masternode winners...
Synchronisation des masternodes gagnants...
@@ -4887,14 +6292,6 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
The coin spend has been used
La dépense en pièces a été utilisée
-
- The new spend coin transaction did not verify
- La nouvelle transaction de pièces n'a pas été vérifiée
-
-
- The selected mint coin is an invalid coin
- La pièce de monnaie sélectionnée est une pièce invalide
-
The transaction did not verify
La transaction n'a pas été vérifiée
@@ -4945,7 +6342,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Transaction amounts must be positive
- Le montant de la transaction doit être posiftif
+ Le montant de la transaction doit être positif
Transaction created successfully.
@@ -5023,6 +6420,10 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Use the test network
Utiliser le réseau test
+
+ User Agent comment (%s) contains unsafe characters.
+ Le commentaire de l'Agent Utilisateur (%s) contient des caractères non sécurisés.
+
Username for JSON-RPC connections
Nom d'utilisateur pour les connections JSON-RPC
@@ -5043,18 +6444,13 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Verifying wallet...
Vérification du portefeuille...
-
- Version 1 xION require a security level of 100 to successfully spend.
- La version 1 de xION requiert un niveau de sécurité de 100 pour les dépenser.
-
-
Wallet is locked.
Le portefeuille est vérouillé.
- Wallet needed to be rewritten: restart Ion Core to complete
- Le portefeuille doit être réécrit: redémarrez Ion Core pour terminer
+ Wallet needed to be rewritten: restart ION Core to complete
+ Le portefeuille doit être réécrit: redémarrez ION Core pour terminer
Wallet options:
@@ -5110,7 +6506,7 @@ Soit monnayer des dénominations plus élevées (moins d'intrants sont nécessai
Zerocoin options:
- Options de Zerocoin:
+ Options Zerocoin:
on startup
diff --git a/src/qt/locale/ion_hi_IN.ts b/src/qt/locale/ion_hi_IN.ts
index c61bb08fefdb4..396883404caf2 100644
--- a/src/qt/locale/ion_hi_IN.ts
+++ b/src/qt/locale/ion_hi_IN.ts
@@ -13,6 +13,10 @@
Choose the address to receive coins with
सिक्कों को प्राप्त करने के लिए पता चुनें
+
+ These are your ION addresses for sending payments. Always check the amount and the receiving address before sending coins.
+ पहले इस्तेमाल किए गए पते को चुनें
+
AddressTableModel
@@ -92,6 +96,9 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
@@ -156,6 +163,9 @@
मध्यम
+
+ ProposalFrame
+
QObject
@@ -209,6 +219,10 @@
Message
संदेश
+
+ Address
+ पता
+
SendCoinsDialog
diff --git a/src/qt/locale/ion_hr.ts b/src/qt/locale/ion_hr.ts
index 4c1b5355aad39..97ffadaf9b498 100644
--- a/src/qt/locale/ion_hr.ts
+++ b/src/qt/locale/ion_hr.ts
@@ -269,6 +269,18 @@
Copy the current signature to the system clipboard
Kopirajte trenutačni potpis u međuspremnik sustava
+
+ Reset all fields
+ Resetiraj sva polja
+
+
+ The encrypted private key
+ Šifrirani privatni ključ
+
+
+ Decrypt the entered key using the passphrase
+ Dešifriraj uneseni ključ pomoću zaporke
+
Encrypt &Key
Šifriranje &Ključ
@@ -580,6 +592,10 @@
%1 behind. Scanning block %2
%1 iza. Skeniranje blokiranjem %2
+
+ Tor is <b>enabled</b>: %1
+ Tor je <b> omogućen <b>: %1
+
&File
&Datoteka
@@ -601,8 +617,8 @@
Alatna traka kartica
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -625,12 +641,12 @@
Pregledajte masternode
- &About Ion Core
- & O Ion Coreu
+ &About ION Core
+ & O ION Coreu
- Show information about Ion Core
- Prikaz informacija o Ion Coreu
+ Show information about ION Core
+ Prikaz informacija o ION Coreu
Modify configuration options for ION
@@ -653,8 +669,32 @@
Šifriranje i dešifriranje privatnih ključeva pomoću zaporke
- Ion Core client
- Ion Core klijent
+ &MultiSend
+ &MultiSend
+
+
+ MultiSend Settings
+ MultiSend postavke
+
+
+ Open Wallet &Configuration File
+ Otvori novčanik i konfiguracijsku datoteku
+
+
+ Open Masternode configuration file
+ Otvori konfiguracijsku datoteku za Masternode
+
+
+ ION Core client
+ ION Core klijent
+
+
+ Importing blocks from disk...
+ Unos blokova s diska
+
+
+ Up to date
+ Ažurirano
Error
@@ -668,13 +708,41 @@
Information
Informacija
+
+ Sent transaction
+ Poslana transakcija
+
+
+ Incoming transaction
+ Nadolazeća tranksakcija
+
+
+ Active
+ Aktivan
+
+
+ Not Active
+ Neaktivan
+
BlockExplorer
+
+ Back
+ Povratak
+
+
+ Forward
+ Naprijed
+
Address / Block / Transaction
Adresa / Blok / Transakcija
+
+ Search
+ Traži
+
ClientModel
@@ -693,10 +761,42 @@
Priority:
Prioritet:
+
+ Fee:
+ Naknada:
+
+
+ After Fee:
+ Nakon naknade:
+
+
+ Change:
+ Ostatak:
+
+
+ (un)select all
+ (od)znači sve
+
+
+ Tree mode
+ Stablo prikaz
+
+
+ List mode
+ Popis prikaz
+
+
+ (1 locked)
+ (1 zaključan)
+
Amount
Iznos
+
+ Received with address
+ Primljeno s adresom
+
Type
Tip
@@ -713,6 +813,10 @@
Confirmed
Potvrđeno
+
+ Priority
+ Prioritet
+
Copy address
Kopiraj adrese
@@ -725,10 +829,66 @@
Copy amount
Kopiraj iznos
+
+ Copy transaction ID
+ Kopiraj ID transakcije
+
+
+ Lock unspent
+ Zaključaj neiskorišteno
+
+
+ Unlock unspent
+ Otključaj neiskorišteno
+
Copy quantity
Kopiraj količinu
+
+ Copy fee
+ Kopiraj naknadu
+
+
+ Copy after fee
+ Kopiraj nakon naknade
+
+
+ Copy change
+ Kopiraj naknadu
+
+
+ highest
+ Najviši
+
+
+ higher
+ viši
+
+
+ high
+ visok
+
+
+ medium-high
+ srednje-visoki
+
+
+ medium
+ Srednji
+
+
+ low
+ nizak
+
+
+ lower
+ niži
+
+
+ lowest
+ najniži
+
yes
da
@@ -741,25 +901,36 @@
(no label)
(nema oznake)
-
+
+ (change)
+ (ostatak)
+
+
EditAddressDialog
FreespaceChecker
+
+ GovernancePage
+
+ 0
+ 0
+
+
HelpMessageDialog
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Intro
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error
@@ -776,6 +947,10 @@
Status
Status
+
+ Active
+ Aktivan
+
0
0
@@ -859,10 +1034,22 @@
Priority:
Prioritet:
+
+ Fee:
+ Naknada:
+
no
ne
+
+ medium
+ Srednji
+
+
+ Change:
+ Ostatak:
+
Copy quantity
Kopiraj količinu
@@ -872,6 +1059,9 @@
Kopiraj iznos
+
+ ProposalFrame
+
QObject
@@ -886,6 +1076,10 @@
N/A
N/A
+
+ ION Core
+ ION Core
+
QRImageWidget
@@ -963,6 +1157,10 @@
Copy amount
Kopiraj iznos
+
+ Copy address
+ Kopiraj adrese
+
ReceiveRequestDialog
@@ -1013,6 +1211,10 @@
Message
Poruka
+
+ Address
+ Adresa
+
Amount
Iznos
@@ -1040,10 +1242,26 @@
Priority:
Prioritet:
+
+ medium
+ Srednji
+
+
+ Fee:
+ Naknada:
+
no
ne
+
+ After Fee:
+ Nakon naknade:
+
+
+ Change:
+ Ostatak:
+
0 ION
0 ION
@@ -1068,6 +1286,18 @@
Copy amount
Kopiraj iznos
+
+ Copy fee
+ Kopiraj naknadu
+
+
+ Copy after fee
+ Kopiraj nakon naknade
+
+
+ Copy change
+ Kopiraj naknadu
+
%1 to %2
%1 do %2
@@ -1111,8 +1341,8 @@
ShutdownWindow
- Ion Core is shutting down...
- Ion Core se gasi...
+ ION Core is shutting down...
+ ION Core se gasi...
@@ -1197,8 +1427,8 @@
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -1291,6 +1521,10 @@
Copy amount
Kopiraj iznos
+
+ Copy transaction ID
+ Kopiraj ID transakcije
+
Comma separated file (*.csv)
Comma separated file (*.csv)
@@ -1361,13 +1595,77 @@
Information
Informacija
+
+ Options:
+ Mogućnosti:
+
+
+ Synchronization failed
+ Sinkronizacija neuspjela
+
+
+ Synchronization finished
+ Usklađivanje završeno
+
+
+ Synchronization pending...
+ Sinkronizacija je na čekanju...
+
+
+ Synchronizing budgets...
+ Usklađivanje proračuna...
+
+
+ This is experimental software.
+ Ovo je eksperimentalan softver.
+
+
+ Transaction Created
+ Transakcija stvorena
+
+
+ Transaction not valid.
+ Transakcija nije valjana.
+
+
+ Transaction too large for fee policy
+ Transakcija je prevelika za trenutnu naknadu
+
+
+ Transaction too large
+ Transakcija je prevelika
+
+
+ Unable to find transaction containing mint
+ Nije moguće pronaći transakciju koja sadrži novcic
+
Use the test network
Koristi testnu mrežu
+
+ Verifying blocks...
+ Provjera blokova...
+
+
+ Verifying wallet...
+ Provjera novčanika...
+
+
+ Wallet is locked.
+ Novčanik je zaključan.
+
+
+ Wallet options:
+ Opcije novčanika:
+
Warning
Upozorenje
+
+ Zerocoin options:
+ Zerocoin opcije:
+
\ No newline at end of file
diff --git a/src/qt/locale/ion_hr_HR.ts b/src/qt/locale/ion_hr_HR.ts
index 133945adac94b..de2fa604583b9 100644
--- a/src/qt/locale/ion_hr_HR.ts
+++ b/src/qt/locale/ion_hr_HR.ts
@@ -251,7 +251,7 @@
Address:
- Adresa:
+ Adresa:
Enter a ION Address that you would like to encrypt using BIP 38. Enter a passphrase in the middle box. Press encrypt to compute the encrypted private key.
@@ -608,10 +608,6 @@
&Command-line options
Opcije naredbene linije
-
- Processed %n blocks of transaction history.
- Obrađeno %n blokova povijesti transakcija.Obrađeno %n blokova povijesti transakcija.Obrađeno %n blokova povijesti transakcija.
-
Synchronizing additional data: %p%
Usklađivanje dodatnih podataka: %p%
@@ -645,8 +641,8 @@
Alatna traka kartica
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +665,12 @@
Pretraži masternodes
- &About Ion Core
- O Ion Core
+ &About ION Core
+ O ION Core
- Show information about Ion Core
- Prikaz informacija o Ion Core-u
+ Show information about ION Core
+ Prikaz informacija o ION Core-u
Modify configuration options for ION
@@ -729,17 +725,13 @@
Prozor Block preglednika
- Show the Ion Core help message to get a list with possible ION command-line options
- Pokažite poruku Ion Core pomoći da biste dobili popis s mogućim ION opcijama naredbenog retka
+ Show the ION Core help message to get a list with possible ION command-line options
+ Pokažite poruku ION Core pomoći da biste dobili popis s mogućim ION opcijama naredbenog retka
- Ion Core client
+ ION Core client
IONIX Core Klijent
-
- %n active connection(s) to ION network
- %n aktivne veze na ION mrežu%n aktivne veze na ION mrežu%n aktivne veze na ION mrežu
-
Synchronizing with network...
Sinkronizacija s mrežom...
@@ -760,26 +752,10 @@
Up to date
Ažurirano
-
- %n hour(s)
- %n sati%n sati%n sati
-
-
- %n day(s)
- %n dana%n dana%n dana
-
-
- %n week(s)
- %n tjedni%n tjedni%n tjedni
-
%1 and %2
%1 i %2
-
- %n year(s)
- %n godine%n godine%n godine
-
Catching up...
Nadoknađivanje
@@ -836,7 +812,7 @@ Višestruko slanje: %1
Active
- Aktivno
+ Aktivno
Not Active
@@ -864,7 +840,7 @@ Višestruko slanje: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Novčanik je 1. šifriran 1. i trenutno 2. zaključan 2.
-
+
BlockExplorer
@@ -1224,6 +1200,17 @@ Višestruko slanje: %1
Ovdje nije moguće stvoriti direktorij za podatke.
+
+ GovernancePage
+
+ Form
+ Obrazac
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1231,16 +1218,16 @@ Višestruko slanje: %1
verzija
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- O Ion Core
+ About ION Core
+ O ION Core
Command-line options
@@ -1286,16 +1273,16 @@ Višestruko slanje: %1
Dobrodošli
- Welcome to Ion Core.
- Dobrodošli u Ion Core.
+ Welcome to ION Core.
+ Dobrodošli u ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Budući da je prvi put pokrenut program, možete odabrati gdje će Ion Core pohraniti svoje podatke.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Budući da je prvi put pokrenut program, možete odabrati gdje će ION Core pohraniti svoje podatke.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core preuzima i pohranjuje kopiju ION blok-lanca. Barem će %1GB podataka biti pohranjeno u ovom direktoriju i to će s vremenom rasti. Novčanik će također biti pohranjena u ovom direktoriju.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core preuzima i pohranjuje kopiju ION blok-lanca. Barem će %1GB podataka biti pohranjeno u ovom direktoriju i to će s vremenom rasti. Novčanik će također biti pohranjena u ovom direktoriju.
Use the default data directory
@@ -1306,8 +1293,8 @@ Višestruko slanje: %1
Koristite prilagođeni direktorij podataka:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1541,47 +1528,10 @@ MultiSend neće biti aktiviran dok ne kliknete Aktiviraj
(no label)
(bez oznake)
-
- The entered address:
-
- Unesena adresa:
-
-
- is invalid.
-Please check the address and try again.
- je netočna.
-Provjerite adresu i pokušajte ponovo.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- Ukupna količina vašeg MultiSend vektora iznosi preko 100% vaše nagrade uloga
-
-
Please Enter 1 - 100 for percent.
Unesite 1 - 100 za postotak.
-
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- Spremio je MultiSend u memoriju, ali nije spasio svojstva u bazi podataka.
-
-
- MultiSend Vector
-
- MultiSend Vektor
-
-
-
- Removed
- Uklonjeno
-
-
- Could not locate address
-
- Nije moguće pronaći adresu
-
MultisigDialog
@@ -1779,32 +1729,32 @@ Budite strpljivi nakon što kliknete uvoz.
Odaberi razinu privatnosti.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Koristite 2 odvojene masternode za miješanje sredstava do 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Koristite 2 odvojene masternode za miješanje sredstava do 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Koristite 8 zasebnih masternoda za miješanje sredstava do 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Koristite 8 zasebnih masternoda za miješanje sredstava do 20000 ION
Use 16 separate masternodes
Koristite 16 zasebnih masternodova
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Ova je opcija najbrža i košta oko 0,025 ION da anonimizira 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Ova je opcija najbrža i košta oko 0,025 ION da anonimizira 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Ova je opcija umjereno brza i košta oko 0,05 ION da anonimizira 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Ova je opcija umjereno brza i košta oko 0,05 ION da anonimizira 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Ovo je najsporiji i najsigurniji izbor. Korištenje maksimalne anonimnosti košta
- 0.1 ION per 10000 ION you anonymize.
- 0,1 ION po 10000 ION za anonimizaciju.
+ 0.1 ION per 20000 ION you anonymize.
+ 0,1 ION po 20000 ION za anonimizaciju.
Obfuscation Configuration
@@ -2485,18 +2435,6 @@ xION su zreli kada imaju više od 20 potvrda I više od 2 mint od iste denominac
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Razina sigurnosti za Zerocoin transakcije. Više je bolje, ali treba više vremena i resursa.
-
-
- Security Level:
- Razina sigurnosti:
-
-
- Security Level 1 - 100 (default: 42)
- Razina sigurnosti 1 - 100 (zadano: 42)
-
Pay &To:
Platiti:
@@ -2772,14 +2710,6 @@ Promjena postotka (nije potrebno ponovno pokretanje):
Please be patient...
Pokretanje ResetMintZerocoin: ponovno skeniranje potpunog blockchain, to će trajati i do 30 minuta, ovisno o vašem hardveru.
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- Potrošnja Zerocoina.
-Zahtjevan izračun, možda će trebati nekoliko minuta ovisno o odabranoj razini sigurnosti i vašem hardveru.
-Budite strpljivi ...
-
) needed.
Maximum allowed:
@@ -2949,22 +2879,10 @@ Maksimalno dopušteno:
to a newly generated (unused and therefore anonymous) local address <br />
na novo generiranu (neiskorištenu i stoga anonimnu) lokalnu adresu
-
- with Security Level
- s razinom sigurnosti
-
Confirm send coins
Potvrdite slanje novca
-
- Version 1 xION require a security level of 100 to successfully spend.
- Verzija 1 xION zahtjeva sigurnosnu razinu 100 da se uspješno utroši.
-
-
- Failed to spend xION
- Neuspjelo trošenje xION
-
Failed to fetch mint associated with serial hash
Neuspjelo dohvaćanje minta asociranog s serijskim hashom
@@ -2982,11 +2900,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Spend Zerocoin failed with status =
Utrošak Zerocoina nije uspjela s statusom =
-
- PrivacyDialog
- Enter an amount of ION to convert to xION
- PrivacyDialogPrivacyDialogPrivacyDialog
-
denomination:
denominacija:
@@ -3020,6 +2933,9 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
naknada:
+
+ ProposalFrame
+
QObject
@@ -3070,7 +2986,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
%1 ms
%1 ms
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
@@ -3433,10 +3353,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Confirm resync Blockchain
Potvrdite resync Blockchain
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Upotrijebite strelice gore i dolje za kretanje po povijesti, a Ctrl-L za brisanje zaslona.
-
Type <b>help</b> for an overview of available commands.
Upišite pomoć za pregled dostupnih naredbi.
@@ -3508,6 +3424,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
An optional label to associate with the new receiving address.
Dodatna oznaka za povezivanje s novom adresom primatelja.
+
+ A&mount:
+ Količina:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Dodatna poruka priložena zahtjevu za plaćanje, koji će se prikazati kada se zahtjev otvori. Napomena: poruka neće biti poslana s plaćanjem putem ION mreže.
@@ -3532,10 +3452,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
An optional amount to request. Leave this empty or zero to not request a specific amount.
Neobavezna količina za zahtjev. Ostavite ovo prazno ili nulu da ne zatražite određeni iznos.
-
- &Amount:
- Iznos:
-
&Request payment
Zatraži plaćanje
@@ -3580,6 +3496,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Copy amount
Kopiraj iznos
+
+ Copy address
+ Kopiraj adresu
+
ReceiveRequestDialog
@@ -3651,6 +3571,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Message
Poruka
+
+ Address
+ Adresa
+
Amount
Iznos
@@ -3936,10 +3860,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
A fee %1 times higher than %2 per kB is considered an insanely high fee.
Naknada %1 puta veća od %2 po kB smatra se nerazumljivo visokom naknadom.
-
- Estimated to begin confirmation within %n block(s).
- Procijenjeno za početak potvrde u%n blokova.Procijenjeno za početak potvrde u%n blokova.Procijenjeno za početak potvrde u %n blokova.
-
The recipient address is not valid, please recheck.
Adresa primatelja nije važeća, ponovo provjerite.
@@ -4079,8 +3999,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
ShutdownWindow
- Ion Core is shutting down...
- Ion Core se zatvara ...
+ ION Core is shutting down...
+ ION Core se zatvara ...
Do not shut down the computer until this window disappears.
@@ -4229,8 +4149,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -4245,8 +4165,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Dash Core programeri
- The Ion Core developers
- Ion Core programeri
+ The ION Core developers
+ ION Core programeri
[testnet]
@@ -4262,10 +4182,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
TransactionDesc
-
- Open for %n more block(s)
- Otvori se za %n više blokovaOtvori se za %n više blokovaOtvori se za %n više blokova
-
Open until %1
Otvori dok %1
@@ -4326,10 +4242,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
, has not been successfully broadcast yet
, još nije uspješno emitiran
-
- , broadcast through %n node(s)
- , emitiraju se preko %n čvorova, emitiraju se preko %n čvorova, emitiraju se preko %n čvorova
-
Date
Datum
@@ -4370,10 +4282,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Credit
Kredit
-
- matures in %n more block(s)
- sazrijeva se u %n više blokovasazrijeva se u %n više blokovasazrijeva se u %n više blokova
-
not accepted
nije prihvaćeno
@@ -4473,10 +4381,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Address
Adresa
-
- Open for %n more block(s)
- Otvori se za %n više blokovaOtvori se za %n više blokovaOtvori se za %n više blokova
-
Open until %1
Otvori dok %1
@@ -4879,11 +4783,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Select/Deselect All
Odaberite/poništi odabir za Sve
-
- Is Spendable
- Je moguće utrošiti
-
-
+
ion-core
@@ -4911,8 +4811,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Izračunata kontrolna točka akumulatora nije ono što se bilježi indeksom blokova
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- Nije moguće dobiti zaključavanje na direktoriju podataka %s. Ion Core vjerojatno već radi.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Nije moguće dobiti zaključavanje na direktoriju podataka %s. ION Core vjerojatno već radi.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -5087,20 +4987,20 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Ovaj proizvod uključuje softver razvijen od strane OpenSSL projekta za uporabu u OpenSSL Toolkitu i kriptografskom softveru kojeg je napisao Eric Young i UPnP softver koji je napisao Thomas Bernard.
- Unable to bind to %s on this computer. Ion Core is probably already running.
- Nije moguće vezati se na %s na ovom računalu. Ion Core vjerojatno već radi.
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Nije moguće vezati se na %s na ovom računalu. ION Core vjerojatno već radi.
Unable to locate enough Obfuscation denominated funds for this transaction.
Nije moguće locirati dovoljno sredstava s domenom Prikrivanja za tu transakciju.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Nije moguće pronaći dovoljno prikrivenih sredstava koja nisu denominirana za ovu transakciju koja nisu jednaka 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Nije moguće pronaći dovoljno prikrivenih sredstava koja nisu denominirana za ovu transakciju koja nisu jednaka 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Nije moguće pronaći dovoljno sredstava za ovu transakciju koja nije jednaka 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Nije moguće pronaći dovoljno sredstava za ovu transakciju koja nije jednaka 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5115,8 +5015,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Upozorenje: -paytxfee je vrlo visoka! To je transakcijska naknada koju ćete platiti ako šaljete transakciju.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- Upozorenje: Provjerite jesu li datum i vrijeme vašeg računala točni! Ako je vaš sat pogrešan, Ion Core neće raditi ispravno.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Upozorenje: Provjerite jesu li datum i vrijeme vašeg računala točni! Ako je vaš sat pogrešan, ION Core neće raditi ispravno.
Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
@@ -5271,8 +5171,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Autorska prava (C) 2015-%i The PIVX Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
- Autorska prava (C) 2018-%i The Ion Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+ Autorska prava (C) 2018-%i The ION Core Developers
Corrupted block database detected
@@ -5360,7 +5260,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Pogreška pri učitavanju wallet.dat: novčanik oštećen
- Error loading wallet.dat: Wallet requires newer version of Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
Pogreška prilikom učitavanja wallet.dat: Novčanik zahtijeva noviju verziju ION jezgre
@@ -5375,6 +5275,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Error recovering public key.
Pogreška prilikom vraćanja javnog ključa.
+
+ Error writing zerocoinDB to disk
+ Greška u zapisivanju zerocoinDB na disk
+
Error
Greška
@@ -5476,8 +5380,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Informacije
- Initialization sanity check failed. Ion Core is shutting down.
- Provjera ispravnosti inicijalizacije nije uspjela. Ion Core se zatvara.
+ Initialization sanity check failed. ION Core is shutting down.
+ Provjera ispravnosti inicijalizacije nije uspjela. ION Core se zatvara.
Input is not valid.
@@ -5686,10 +5590,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Failed to create mint
Nije uspjelo kovanje
-
- Failed to deserialize
- Deserializiranje nije uspjelo
-
Failed to find Zerocoins in wallet.dat
Neuspjelo pronalaženje Zerocoina u wallet.dat
@@ -5759,8 +5659,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Učitavanje aplikacije ...
- Loading wallet... (%3.1f %%)
- Učitavanje novčanika ... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Učitavanje novčanika ... (%3.2f %%)
Loading wallet...
@@ -6130,14 +6030,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
The coin spend has been used
Korištena je potrošnja novčića
-
- The new spend coin transaction did not verify
- Nova transakcija potrošnje novca nije potvrđena
-
-
- The selected mint coin is an invalid coin
- Odabrano je kovanje novčića za nevažeći novčić
-
The transaction did not verify
Transakcija nije potvrđena
@@ -6286,10 +6178,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Verifying wallet...
Provjera novčanika...
-
- Version 1 xION require a security level of 100 to successfully spend.
- Verzija 1 xION zahtjeva sigurnosnu razinu 100 da se uspješno utroši.
-
Wallet %s resides outside data directory %s
Novčanik %s nalazi se izvan direktorija podataka %s
@@ -6299,8 +6187,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Novčanik zaključan.
- Wallet needed to be rewritten: restart Ion Core to complete
- Potrebno je prepisati novčanik: ponovo pokrenite Ion Core
+ Wallet needed to be rewritten: restart ION Core to complete
+ Potrebno je prepisati novčanik: ponovo pokrenite ION Core
Wallet options:
diff --git a/src/qt/locale/ion_it.ts b/src/qt/locale/ion_it.ts
index 5dd1ac69a0d6f..edad1d38ad1ab 100644
--- a/src/qt/locale/ion_it.ts
+++ b/src/qt/locale/ion_it.ts
@@ -608,10 +608,6 @@
&Command-line options
Opzioni riga di &Comando
-
- Processed %n blocks of transaction history.
- Elaborato 1 blocco dalla cronologia delle transazioniElaborati %n blocchi dalla cronologia delle transazioni.
-
Synchronizing additional data: %p%
Sincronizzazione dati addizionali: %p%
@@ -645,8 +641,8 @@
Schede degli strumenti
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +665,12 @@
Esplora i masternodes
- &About Ion Core
- &Informazioni Ion Core
+ &About ION Core
+ &Informazioni ION Core
- Show information about Ion Core
- Visualizza informazioni su Ion Core
+ Show information about ION Core
+ Visualizza informazioni su ION Core
Modify configuration options for ION
@@ -729,16 +725,12 @@
Finestra Block Explorer
- Show the Ion Core help message to get a list with possible ION command-line options
- Mostra il messaggio di aiuto Ion Core per ottenere un elenco con le possibili opzioni di riga di comando ION
+ Show the ION Core help message to get a list with possible ION command-line options
+ Mostra il messaggio di aiuto ION Core per ottenere un elenco con le possibili opzioni di riga di comando ION
- Ion Core client
- Ion Core
-
-
- %n active connection(s) to ION network
- %n connessione attiva alla rete IONIX%n connessioni attive alla rete IONIX
+ ION Core client
+ ION Core
Synchronizing with network...
@@ -760,26 +752,10 @@
Up to date
Aggiornato
-
- %n hour(s)
- %n ora%n ore
-
-
- %n day(s)
- %n giorno%n giorni
-
-
- %n week(s)
- %n settimana%n settimane
-
%1 and %2
%1 e %2
-
- %n year(s)
- %n anno%n anni
-
Last received block was generated %1 ago.
L'ultimo blocco ricevuto è stato generato %1 fa.
@@ -860,7 +836,7 @@ MultiSend: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Il portafoglio è <b>crittografato</b> e attualmente <b>bloccato</b>
-
+
BlockExplorer
@@ -1212,6 +1188,17 @@ MultiSend: %1
Impossibile creare la cartella dati qui.
+
+ GovernancePage
+
+ Form
+ Modulo
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1219,16 +1206,16 @@ MultiSend: %1
versione
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- Informazioni su Ion Core
+ About ION Core
+ Informazioni su ION Core
Command-line options
@@ -1274,16 +1261,16 @@ MultiSend: %1
Benvenuto
- Welcome to Ion Core.
+ Welcome to ION Core.
Benvenuto in IONIX Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Essendo il primo avvio dell'applicazione, puoi scegliere dove Ion Core salverà i propri dati.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Essendo il primo avvio dell'applicazione, puoi scegliere dove ION Core salverà i propri dati.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core scaricherà e salverà una copia della blockchain ION. Verranno salvati almeno %1GB di dati in questa cartella, che cresceranno nel tempo. In questa cartella verrà salvato anche il portafoglio.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core scaricherà e salverà una copia della blockchain ION. Verranno salvati almeno %1GB di dati in questa cartella, che cresceranno nel tempo. In questa cartella verrà salvato anche il portafoglio.
Use the default data directory
@@ -1294,8 +1281,8 @@ MultiSend: %1
Utilizza una cartella dati personalizzata:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1529,49 +1516,10 @@ MultiSend non verrà attivato a meno che tu non prema su Attiva
(no label)
(nessuna etichetta)
-
- The entered address:
-
- L'indirizzo immesso:
-
-
- is invalid.
-Please check the address and try again.
- è invalido.
-Per favore controlla l'indirizzo e riprova nuovamente.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- L'ammontare totale del tuo vettore MultiSend è superiore al 100% della tua ricompensa per lo stake
-
-
Please Enter 1 - 100 for percent.
Per favore inserisci 1 - 100 come percentuale.
-
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- MultiSend è stato salvato con successo in memoria, ma il salvataggio delle proprietà nel database non è andato a buon fine.
-
-
-
- MultiSend Vector
-
- Vettore InvioMultiplo
-
-
-
- Removed
- Eliminato
-
-
- Could not locate address
-
- Impossibile trovare l'indirizzo
-
-
MultisigDialog
@@ -1671,12 +1619,12 @@ Per favore controlla l'indirizzo e riprova nuovamente.
Configura Offuscamento
- Use 2 separate masternodes to mix funds up to 10000 ION
- Usa 2 masternodi diversi per mescolare fino a 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Usa 2 masternodi diversi per mescolare fino a 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Usa 8 masternodi diversi per mixare fino a 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Usa 8 masternodi diversi per mixare fino a 20000 ION
Use 16 separate masternodes
@@ -1875,7 +1823,7 @@ Se il conio automatico è attivato questa percentuale si stabilizzerà all'incir
AutoMint is currently enabled and set to
- AutoMint è attivo e impostato su
+ Conio automatico è attivo e impostato su
To disable AutoMint add 'enablezeromint=0' in ioncoin.conf.
@@ -2174,7 +2122,7 @@ Per cambiare la percentuale (riavvio non necessario):
Fee:
- Tassa:
+ Commissione:
Dust:
@@ -2192,6 +2140,10 @@ Per cambiare la percentuale (riavvio non necessario):
Insufficient funds!
Fondi insufficienti!
+
+ medium
+ media
+
Amount After Fee:
Importo al netto della commissione:
@@ -2226,7 +2178,7 @@ Per cambiare la percentuale (riavvio non necessario):
Confirm send coins
- Converma invio monete
+ Conferma invio monete
Sending successful, return code:
@@ -2237,12 +2189,19 @@ Per cambiare la percentuale (riavvio non necessario):
commissione
+
+ ProposalFrame
+
QObject
Amount
Ammontare
+
+ ION Core
+ ION Core
+
QRImageWidget
@@ -2268,6 +2227,10 @@ Per cambiare la percentuale (riavvio non necessario):
ReceiveCoinsDialog
+
+ A&mount:
+ Q&uantità:
+
&Label:
&Etichetta:
@@ -2280,6 +2243,10 @@ Per cambiare la percentuale (riavvio non necessario):
Copy amount
Copia ammontare
+
+ Copy address
+ Copia indirizzo
+
ReceiveRequestDialog
@@ -2306,6 +2273,10 @@ Per cambiare la percentuale (riavvio non necessario):
Label
Etichetta
+
+ Address
+ Indirizzo
+
Amount
Ammontare
@@ -2345,9 +2316,13 @@ Per cambiare la percentuale (riavvio non necessario):
Priority:
Priorità:
+
+ medium
+ media
+
Fee:
- Tassa:
+ Commissione:
Dust:
@@ -2359,7 +2334,7 @@ Per cambiare la percentuale (riavvio non necessario):
After Fee:
- Al netto della commissione:
+ Importo al netto della commissione:
Change:
@@ -2407,16 +2382,20 @@ Per cambiare la percentuale (riavvio non necessario):
Copy fee
- Copia commissioni
+ Copia commissione
Copy after fee
- Copia al netto della commissione
+ Copia importo al netto della commissione
Copy bytes
Copia byte
+
+ Copy priority
+ Copia priorità
+
Copy dust
Copia polvere
@@ -2554,8 +2533,8 @@ Per cambiare la percentuale (riavvio non necessario):
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
diff --git a/src/qt/locale/ion_ja.ts b/src/qt/locale/ion_ja.ts
index 6c5a7a9ceed1d..b560e2eb160b9 100644
--- a/src/qt/locale/ion_ja.ts
+++ b/src/qt/locale/ion_ja.ts
@@ -144,6 +144,9 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
@@ -188,6 +191,9 @@
PrivacyDialog
+
+ ProposalFrame
+
QObject
@@ -209,6 +215,10 @@
RecentRequestsTableModel
+
+ Address
+ アドレス
+
SendCoinsDialog
diff --git a/src/qt/locale/ion_ko_KR.ts b/src/qt/locale/ion_ko_KR.ts
index 3ad907eab6b0c..53aee1688f13f 100644
--- a/src/qt/locale/ion_ko_KR.ts
+++ b/src/qt/locale/ion_ko_KR.ts
@@ -608,10 +608,6 @@
&Command-line options
&명령행 옵션
-
- Processed %n blocks of transaction history.
- %n 블록의 거래내역 확인됨
-
Synchronizing additional data: %p%
추가 데이터 동기화: %p%
@@ -645,8 +641,8 @@
탭 도구 모음
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +665,12 @@
마스터노드 검색
- &About Ion Core
- Ion Core &정보
+ &About ION Core
+ ION Core &정보
- Show information about Ion Core
- Ion Core에 대한 정보 표시
+ Show information about ION Core
+ ION Core에 대한 정보 표시
Modify configuration options for ION
@@ -729,16 +725,12 @@
블록 탐색 창
- Show the Ion Core help message to get a list with possible ION command-line options
- Ion Core 도움말 메세지를 표시하여 사용 가능한 ION 명령행 옵션 목록 표시
+ Show the ION Core help message to get a list with possible ION command-line options
+ ION Core 도움말 메세지를 표시하여 사용 가능한 ION 명령행 옵션 목록 표시
- Ion Core client
- Ion Core 클라이언트
-
-
- %n active connection(s) to ION network
- %n 개의 ION 네트웍에 연결됨
+ ION Core client
+ ION Core 클라이언트
Synchronizing with network...
@@ -760,26 +752,10 @@
Up to date
최신
-
- %n hour(s)
- %n 시간
-
-
- %n day(s)
- %n 일
-
-
- %n week(s)
- %n 주
-
%1 and %2
%1 그리고 %2
-
- %n year(s)
- %n 년
-
Catching up...
동기화 중...
@@ -864,7 +840,7 @@ Address: %4
Wallet is <b>encrypted</b> and currently <b>locked</b>
지갑은 <b>암호화</ b>되어 있으며 현재 <b>잠겨 있습니다</ b>.
-
+
BlockExplorer
@@ -1224,6 +1200,17 @@ Address: %4
여기에 디렉토리를 만들 수 없습니다.
+
+ GovernancePage
+
+ Form
+ Form
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1231,16 +1218,16 @@ Address: %4
버전
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- Ion Core 정보
+ About ION Core
+ ION Core 정보
Command-line options
@@ -1286,16 +1273,16 @@ Address: %4
환영합니다
- Welcome to Ion Core.
- Ion Core에 오신 것을 환영합니다.
+ Welcome to ION Core.
+ ION Core에 오신 것을 환영합니다.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- 이 프로그램이 처음 실행되었으므로 Ion Core가 데이터를 저장할 위치를 선택할 수 있습니다.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ 이 프로그램이 처음 실행되었으므로 ION Core가 데이터를 저장할 위치를 선택할 수 있습니다.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core는 ION 블록체인을 다운로드하여 저장합니다. 최소 %1GB의 데이터가 디렉토리에 저장되며 시간이 지날수록 증가합니다. 또한 지갑도 해당 디렉토리에 저장됩니다.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core는 ION 블록체인을 다운로드하여 저장합니다. 최소 %1GB의 데이터가 디렉토리에 저장되며 시간이 지날수록 증가합니다. 또한 지갑도 해당 디렉토리에 저장됩니다.
Use the default data directory
@@ -1306,8 +1293,8 @@ Address: %4
사용자 지정 데이터 디렉토리 사용:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1541,50 +1528,10 @@ MultiSend will not be activated unless you have clicked Activate
(no label)
(라벨 없음)
-
- The entered address:
-
- 입력된 주소:
-
-
-
- is invalid.
-Please check the address and try again.
- 올바르지 않습니다.
-주소를 확인하고 다시 시도해주세요.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- 다중전송 벡터의 총 금액이 스테이크 보상 금액의 100 % 이상입니다
-
-
Please Enter 1 - 100 for percent.
퍼센트로 1 - 100을 입력하십시오.
-
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- MultiSend를 메모리에 저장했지만 데이터베이스에 대한 속성 저장에 실패했습니다.
-
-
-
- MultiSend Vector
-
- 다중전송 벡터
-
-
-
- Removed
- 제거됨
-
-
- Could not locate address
-
- 주소를 찾을 수 없습니다
-
-
MultisigDialog
@@ -1780,32 +1727,32 @@ Please be patient after clicking import.
익명화 레벨을 선택해주세요.
- Use 2 separate masternodes to mix funds up to 10000 ION
- 2개의 개별 마스터노드를 이용하여 최대 10000 ION 를 섞을 수 있습니다.
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ 2개의 개별 마스터노드를 이용하여 최대 20000 ION 를 섞을 수 있습니다.
- Use 8 separate masternodes to mix funds up to 10000 ION
- 8개의 개별 마스터노드를 이용하여 최대 10000 ION 를 섞을 수 있습니다.
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ 8개의 개별 마스터노드를 이용하여 최대 20000 ION 를 섞을 수 있습니다.
Use 16 separate masternodes
16개의 개별 마스터노드를 사용
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- 이 옵션은 가장 빠르게 전송되며 10000 ION 익명화에 약 ~0.025 ION의 비용이 들어갑니다.
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ 이 옵션은 가장 빠르게 전송되며 20000 ION 익명화에 약 ~0.025 ION의 비용이 들어갑니다.
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- 이 옵션은 중간 정도의 속도로 전송되며 10000 ION 익명화에 약 0.05 ION의 비용이 들어갑니다.
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ 이 옵션은 중간 정도의 속도로 전송되며 20000 ION 익명화에 약 0.05 ION의 비용이 들어갑니다.
This is the slowest and most secure option. Using maximum anonymity will cost
이것은 가장 느리고 안전한 옵션입니다. 최고 익명성을 사용하면 비용이 발생합니다.
- 0.1 ION per 10000 ION you anonymize.
- 10000 ION 익명화에 0.1 ION 가 듭니다.
+ 0.1 ION per 20000 ION you anonymize.
+ 20000 ION 익명화에 0.1 ION 가 듭니다.
Obfuscation Configuration
@@ -2484,18 +2431,6 @@ xION는 성명서가 20 개 이상 있고 명칭이 동일하지 않은 2 개
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- 제로코인 전송 시큐리티 레벨. 높을수록 좋지만, 시간과 많은 자원이 필요합니다.
-
-
- Security Level:
- 시큐리티 레벨:
-
-
- Security Level 1 - 100 (default: 42)
- 시큐리티 레벨 1 - 100 (기본값: 42)
-
Pay &To:
지불 &대상:
@@ -2718,7 +2653,7 @@ To change the percentage (no restart required):
Bytes:
- Bytes:
+ 바이트:
Insufficient funds!
@@ -2726,11 +2661,11 @@ To change the percentage (no restart required):
Coins automatically selected
- 코인 자동으로 선택됨
+ 자동으로 선택됩니다.
medium
- 중간
+ 5 중간
Coin Control Features
@@ -2773,14 +2708,6 @@ To change the percentage (no restart required):
Please be patient...
제로코인 생성 초기화 진행중... : 전체 블록체인을 다시 검색합니다. 하드웨어에 따라 최대 30분이 걸릴수 있습니다.
기다려주세요...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- 제로코인 전송중입니다.
-시큐리티 레벨과 여러분의 하드웨어에 따라 수 분이 걸립니다.
-조금만 기다려주세요...
) needed.
@@ -2952,22 +2879,10 @@ Maximum allowed:
to a newly generated (unused and therefore anonymous) local address <br />
새로 생성된 개인 지갑 주소(미사용된 익명의) <br /> 로
-
- with Security Level
- 시큐리티 레벨
-
Confirm send coins
코인 전송 확인
-
- Version 1 xION require a security level of 100 to successfully spend.
- xION 버전 1은 성공적으로 보내기 위해서 100 시큐리티 레벨이 필요합니다.
-
-
- Failed to spend xION
- xION 전송 실패
-
Failed to fetch mint associated with serial hash
Failed to fetch mint associated with serial hash
@@ -2985,11 +2900,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Spend Zerocoin failed with status =
제로코인 송금 실패 상태 =
-
- PrivacyDialog
- Enter an amount of ION to convert to xION
- PrivacyDialog
-
denomination:
디노미네이션:
@@ -3023,6 +2933,9 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
수수료:
+
+ ProposalFrame
+
QObject
@@ -3073,7 +2986,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
%1 ms
%1 ms
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
@@ -3436,10 +3353,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Confirm resync Blockchain
블록체인 동기화를 다시 하시겠습니까?
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- 위 아래 화살표를 사용하여 기록을 탐색하고 <b>Ctrl-L</b> 화면을 지웁니다.
-
Type <b>help</b> for an overview of available commands.
사용가능한 명령을 보려면 <b>help</b>를 입력하십시오.
@@ -3511,6 +3424,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
An optional label to associate with the new receiving address.
새로운 수신 주소와 연결할 선택적 라벨.
+
+ A&mount:
+ 금&액:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
요청이 열릴 때 표시되는 결제 요청에 첨부할 선택적 메세지 입니다. 참고: ION 네트워크를 통한 결제는 메세지가 전송되지 않습니다.
@@ -3535,10 +3452,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
An optional amount to request. Leave this empty or zero to not request a specific amount.
요청할 선택적 금액. 이 금액을 비워두거나 특정 금액을 요청하지 않으려면 0으로 두세요.
-
- &Amount:
- &금액:
-
&Request payment
&결제 요청
@@ -3583,6 +3496,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Copy amount
금액 복사
+
+ Copy address
+ 주소 복사
+
ReceiveRequestDialog
@@ -3616,7 +3533,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Address
- 마스터노드 주소
+ 주소
Amount
@@ -3653,6 +3570,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Message
메세지
+
+ Address
+ 주소
+
Amount
금액
@@ -3706,7 +3627,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
medium
- 중간
+ 5 중간
Fee:
@@ -3936,10 +3857,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
A fee %1 times higher than %2 per kB is considered an insanely high fee.
KB당 %1보다 %2배 많은 수수료는 너무 높은 수수료입니다.
-
- Estimated to begin confirmation within %n block(s).
- %n 개의 블록 내에서 컨펌이 시작할 것으로 추정됨.
-
The recipient address is not valid, please recheck.
수신자 주소가 유효하지 않습니다. 다시 확인해주세요.
@@ -4079,8 +3996,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
ShutdownWindow
- Ion Core is shutting down...
- Ion Core가 종료됩니다...
+ ION Core is shutting down...
+ ION Core가 종료됩니다...
Do not shut down the computer until this window disappears.
@@ -4229,8 +4146,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -4245,8 +4162,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Dash Core 개발자
- The Ion Core developers
- Ion Core 개발자
+ The ION Core developers
+ ION Core 개발자
[testnet]
@@ -4262,10 +4179,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
TransactionDesc
-
- Open for %n more block(s)
- %n 블럭 더 열기
-
Open until %1
%1까지 열기
@@ -4327,10 +4240,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
, has not been successfully broadcast yet
, 아직 성공적으로 브로드캐스트되지 않았습니다
-
- , broadcast through %n node(s)
- , %n 노드를 통한 브로드캐스트
-
Date
날짜
@@ -4371,10 +4280,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Credit
크레딧
-
- matures in %n more block(s)
- %n 블록안에 생성됨
-
not accepted
허용되지 않음
@@ -4473,10 +4378,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Address
주소
-
- Open for %n more block(s)
- %n 블럭 더 열기
-
Open until %1
%1까지 열기
@@ -4666,7 +4567,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Received with
- 수신 됨
+ 수신됨
Sent to
@@ -4746,7 +4647,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Confirmed
- 확정
+ 확정됨
Watch-only
@@ -4879,11 +4780,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Select/Deselect All
전체 선택 / 해제
-
- Is Spendable
- 전송가능한 코인수
-
-
+
ion-core
@@ -4911,8 +4808,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
계산된 누산기 체크포인트는 블록 인덱스에 의해 기록되는 것이 아닙니다.
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- <translation>잠겨진 데이터 디렉토리 %s 를 가져올 수 없습니다. Ion Core는 이미 실행 중입니다.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ <translation>잠겨진 데이터 디렉토리 %s 를 가져올 수 없습니다. ION Core는 이미 실행 중입니다.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -5087,20 +4984,20 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
이 제품은 OpenSSL이 개발한 Open SSL 툴킷 <https://www.openssl.org/> 에서 사용하기 위한 프로젝트 소프트웨어, Eric Young이 개발한 암호화 소프트웨어, Thomas Bernard가 개발한 UPnP 소프트웨어가 포함되어 있습니다.
- Unable to bind to %s on this computer. Ion Core is probably already running.
- 이 컴퓨터를 %s 로 지정하는것은 불가능합니다. Ion Core는 이미 실행 중입니다.
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ 이 컴퓨터를 %s 로 지정하는것은 불가능합니다. ION Core는 이미 실행 중입니다.
Unable to locate enough Obfuscation denominated funds for this transaction.
이 트랜잭션를 위해 난독화 표기된 충분한 금액을 찾을 수 없습니다.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- 이 트랜잭션를 위해 난독화 표기가 안된 충분한 금액을 찾을 수 없습니다. 10000 ION과 일치하지 않음.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ 이 트랜잭션를 위해 난독화 표기가 안된 충분한 금액을 찾을 수 없습니다. 20000 ION과 일치하지 않음.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- 트랜잭션에 대한 충분한 금액을 찾을 수 없습니다. 10000 ION와 같지 않음
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ 트랜잭션에 대한 충분한 금액을 찾을 수 없습니다. 20000 ION와 같지 않음
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5115,7 +5012,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
경고 : -paytxfee가 매우 높게 설정되었습니다! 이것은 전송할 경우 지불 할 트랜잭션 수수료입니다.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
경고: 컴퓨터의 날짜와 시간이 올바르게 설정되어 있는지 확인해 주세요! 만일 시계가 잘못되어 있다면 ION 코어는 정상적으로 작동하지 않을 수 있습니다.
@@ -5271,8 +5168,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Copyright (C) 2015-%i The PIVX Core 개발자
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i The Ion Core 개발자
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core 개발자
Corrupted block database detected
@@ -5359,7 +5256,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
wallet.dat을 불러오는 중 오류가 발생했습니다: 지갑 손상됨
- Error loading wallet.dat: Wallet requires newer version of Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
wallet.dat를 로드하는 중 오류가 발생했습니다. 지갑에 최신 버전의 ION 코어가 필요합니다.
@@ -5374,6 +5271,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Error recovering public key.
공개 키를 복구하는 중 오류가 발생했습니다.
+
+ Error writing zerocoinDB to disk
+ 디스크에 zerocoinDB 쓰기 오류
+
Error
에러
@@ -5410,6 +5311,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Failed to listen on any port. Use -listen=0 if you want this.
어떠한 포트에서도 수신하는 것에 실패했습니다. 원하신다면 -listen=0 을 사용하십시오.
+
+ Failed to parse host:port string
+ 호스트 : 포트 문자열을 구문 분석하지 못했습니다.
+
Failed to read block
블록을 받아오는데 실패했습니다.
@@ -5475,8 +5380,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
정보
- Initialization sanity check failed. Ion Core is shutting down.
- 초기화 정확성 검사에 실패 했습니다. Ion Core가 종료됩니다.
+ Initialization sanity check failed. ION Core is shutting down.
+ 초기화 정확성 검사에 실패 했습니다. ION Core가 종료됩니다.
Input is not valid.
@@ -5686,10 +5591,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Failed to create mint
생성 실패
-
- Failed to deserialize
- 디시리얼 실패
-
Failed to find Zerocoins in wallet.dat
wallet.dat 에서 제로코인을 인식 실패
@@ -5759,8 +5660,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
sporks 로딩중...
- Loading wallet... (%3.1f %%)
- 지갑을 불러오는 중… (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ 지갑을 불러오는 중… (%3.2f %%)
Loading wallet...
@@ -6130,14 +6031,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
The coin spend has been used
전송이 이미 되었습니다.
-
- The new spend coin transaction did not verify
- 신규로 전송된 거래가 확인되지 않았습니다.
-
-
- The selected mint coin is an invalid coin
- 선택한 생성 코인은 유효하지 않은 동전입니다.
-
The transaction did not verify
거래가 확인되지 않았습니다.
@@ -6286,10 +6179,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Verifying wallet...
지갑 인증 중...
-
- Version 1 xION require a security level of 100 to successfully spend.
- xION 버전 1은 성공적으로 보내기 위해서 100 시큐리티 레벨이 필요합니다.
-
Wallet %s resides outside data directory %s
지갑 %s 가 데이터 디렉토리 외부에 존재합니다 %s
@@ -6299,7 +6188,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
지갑이 잠겼습니다.
- Wallet needed to be rewritten: restart Ion Core to complete
+ Wallet needed to be rewritten: restart ION Core to complete
지갑을 다시 작성해야 합니다: 완료하려면 ION 코어를 재시작해야 합니다
diff --git a/src/qt/locale/ion_lt_LT.ts b/src/qt/locale/ion_lt_LT.ts
index 7702712298d4b..5efbea4816ddc 100644
--- a/src/qt/locale/ion_lt_LT.ts
+++ b/src/qt/locale/ion_lt_LT.ts
@@ -608,10 +608,6 @@
&Command-line options
&Komandinės eilutės parinktys
-
- Processed %n blocks of transaction history.
- Apdorota %n operacijų istorijos blokų.Apdorota %n operacijų istorijos blokų.Apdorota %n operacijų istorijos blokų.Apdorota %n operacijų istorijos blokų.
-
Synchronizing additional data: %p%
Sinchronizuojami papildomi duomenys: %p%
@@ -645,8 +641,8 @@
Skirtukų įrankių juosta
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +665,12 @@
Naršyti masternod'us
- &About Ion Core
- &Apie Ion Core
+ &About ION Core
+ &Apie ION Core
- Show information about Ion Core
- Rodyti informaciją apie Ion Core
+ Show information about ION Core
+ Rodyti informaciją apie ION Core
Modify configuration options for ION
@@ -729,16 +725,12 @@
Blokų naršyklės langas
- Show the Ion Core help message to get a list with possible ION command-line options
- Rodyti Ion Core žinyną, kad gautumėte sąrašą su galimomis ION komandinės eilutės parinktimis
+ Show the ION Core help message to get a list with possible ION command-line options
+ Rodyti ION Core žinyną, kad gautumėte sąrašą su galimomis ION komandinės eilutės parinktimis
- Ion Core client
- Ion Core piniginė
-
-
- %n active connection(s) to ION network
- %n aktyvių prisijungimų ION tinkle ()%n aktyvių prisijungimų ION tinkle ()%n aktyvių prisijungimų ION tinkle ()%n aktyvių prisijungimų ION tinkle ()
+ ION Core client
+ ION Core piniginė
Synchronizing with network...
@@ -760,26 +752,10 @@
Up to date
Atnaujinta
-
- %n hour(s)
- %n valanda%n valandų%n valandų%n valandų
-
-
- %n day(s)
- %n diena%n dienų%n dienų%n dienų
-
-
- %n week(s)
- %n savaitė%n savaičių%n savaičių%n savaičių
-
%1 and %2
%1 ir %2
-
- %n year(s)
- %n metai%n metų%n metų%n metų
-
Catching up...
Atnaujinama...
@@ -864,7 +840,7 @@ MultiSend: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Piniginė yra <b>užšifruota</b> ir šiuo metu <b>užrakinta</b>
-
+
BlockExplorer
@@ -1216,6 +1192,17 @@ MultiSend: %1
Sukurti duomenų katalogo čia negalima .
+
+ GovernancePage
+
+ Form
+ Forma
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1223,16 +1210,16 @@ MultiSend: %1
versija
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bitai)
- About Ion Core
- Apie Ion Core
+ About ION Core
+ Apie ION Core
Command-line options
@@ -1278,16 +1265,16 @@ MultiSend: %1
Sveiki
- Welcome to Ion Core.
- Sveiki atvykę į Ion Core
+ Welcome to ION Core.
+ Sveiki atvykę į ION Core
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Kadangi programa paleista pirmą kartą, galite pasirinkti kur Ion Core saugos savo duomenis.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Kadangi programa paleista pirmą kartą, galite pasirinkti kur ION Core saugos savo duomenis.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core atsisiųs ir saugos ION blockchain'o kopiją. Šiame kataloge bus saugomas ne mažesnis kaip %1GB duomenų kiekis, kuris laikui bėgant augs. Piniginė taip pat bus saugoma šiame kataloge.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core atsisiųs ir saugos ION blockchain'o kopiją. Šiame kataloge bus saugomas ne mažesnis kaip %1GB duomenų kiekis, kuris laikui bėgant augs. Piniginė taip pat bus saugoma šiame kataloge.
Use the default data directory
@@ -1298,8 +1285,8 @@ MultiSend: %1
Naudoti pasirinktą duomenų katalogą:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1533,44 +1520,10 @@ MultiSend nebus aktyvuotas, nebent paspausite "Įjungti"
(no label)
(nėra etiketės)
-
- The entered address:
-
- Įvestas adresas:
-
-
-
- is invalid.
-Please check the address and try again.
- yra netinkamas.
-Patikrinkite adresą ir bandykite dar kartą.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- Bendra MultiSend sąrašo suma yra didesnė nei 100% jūsų stake'inimo atlygio
-
-
Please Enter 1 - 100 for percent.
Įveskite 1-100 procentų
-
- MultiSend Vector
-
- MultiSend Sąrašas
-
-
-
- Removed
- Pašalintas
-
-
- Could not locate address
-
- Nepavyko rasti adreso
-
-
MultisigDialog
@@ -1750,11 +1703,11 @@ Patikrinkite adresą ir bandykite dar kartą.
Pasirinkite privatumo lygmenį.
- Use 2 separate masternodes to mix funds up to 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
Naudokite 2 atskirus masternod'us, kad sumaišytumėte lėšas iki 10 000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
Naudokite 8 atskirus masternod'us, kad sumaišytumėte lėšas iki 10 000 ION
@@ -1762,19 +1715,19 @@ Patikrinkite adresą ir bandykite dar kartą.
Naudokite 16 atskirų masternod'ų
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Ši parinktis yra greičiausia ir kainuos apie ~0.025 ION, kad anonimizuotų 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Ši parinktis yra greičiausia ir kainuos apie ~0.025 ION, kad anonimizuotų 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Ši parinktis yra vidutiniškai greita ir kainuoja apie 0,05 ION, kad anonimizuotų 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Ši parinktis yra vidutiniškai greita ir kainuoja apie 0,05 ION, kad anonimizuotų 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Tai yra lėčiausias ir saugiausias variantas. Maksimalus anonimiškumas kainuos.
- 0.1 ION per 10000 ION you anonymize.
+ 0.1 ION per 20000 ION you anonymize.
0.1 ION kas 1000 ION kuriuos anonimizuosite.
@@ -2293,14 +2246,6 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos to pačio nominalo
0 xION
0 xION
-
- Security Level:
- Saugumo Lygmuo:
-
-
- Security Level 1 - 100 (default: 42)
- Saugumo Lygmuo 1 - 100 (numatytas: 42)
-
Pay &To:
&Mokėti:
@@ -2357,7 +2302,7 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos to pačio nominalo
Unconfirmed: less than 20 confirmations
Immature: confirmed, but less than 1 mint of the same denomination after it was minted
Nepatvirtinta: mažiau nei 20 patvirtinimų
-Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominalo po to, kai buvo konvertuota.
+Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos to pačio nominalo po to, kai buvo konvertuotas.
Denom. 1:
@@ -2501,7 +2446,7 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
out of sync
- ne sinchronizuotas
+ nesinchronizuotas
Mint Status: Okay
@@ -2623,14 +2568,6 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
to address
į adresą
-
- with Security Level
- su Saugumo Lygmeniu
-
-
- Failed to spend xION
- Nepavyko išleisti xION
-
serial:
serija:
@@ -2644,6 +2581,9 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
mokestis:
+
+ ProposalFrame
+
QObject
@@ -2686,6 +2626,10 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
N/A
N/A
+
+ ION Core
+ ION Core
+
QRImageWidget
@@ -2840,12 +2784,12 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
ReceiveCoinsDialog
- &Label:
- &Etiketė:
+ A&mount:
+ S&uma:
- &Amount:
- &Suma:
+ &Label:
+ &Etiketė:
&Request payment
@@ -2883,6 +2827,10 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
Copy amount
Kopijuoti sumą
+
+ Copy address
+ Kopijuoti adresą
+
ReceiveRequestDialog
@@ -2929,6 +2877,10 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
Message
Žinutė
+
+ Address
+ Adresas
+
Amount
Suma
@@ -3229,8 +3181,8 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
@@ -3494,8 +3446,8 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
Klaida kraunant wallet.dat: Piniginė yra sugadinta
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Klaida kraunant wallet.dat: Piniginė reikalauja naujesnės Ion Core versijos
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Klaida kraunant wallet.dat: Piniginė reikalauja naujesnės ION Core versijos
Error opening block database
@@ -3569,10 +3521,6 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
SwiftX options:
SwiftX nustatymai:
-
- Failed to deserialize
- Nepavyko deserializuoti
-
Failed to select a zerocoin
Nepavyko pasirinkti zerocoin
@@ -3602,8 +3550,8 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
Kraunami sporkai...
- Loading wallet... (%3.1f %%)
- Kraunama piniginė... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Kraunama piniginė... (%3.2f %%)
Loading wallet...
@@ -3726,8 +3674,8 @@ Nesubrendusios: patvirtintos, bet mažiau nei 1 konvertacijos tos pačio nominal
Piniginė užrakinta.
- Wallet needed to be rewritten: restart Ion Core to complete
- Piniginę reikia perrašyti: paleiskite Ion Core iš naujo
+ Wallet needed to be rewritten: restart ION Core to complete
+ Piniginę reikia perrašyti: paleiskite ION Core iš naujo
Wallet options:
diff --git a/src/qt/locale/ion_nl.ts b/src/qt/locale/ion_nl.ts
index 086d7c03d772b..ea150e1f96beb 100644
--- a/src/qt/locale/ion_nl.ts
+++ b/src/qt/locale/ion_nl.ts
@@ -610,7 +610,7 @@
Processed %n blocks of transaction history.
- %n blokken aan transactiegeschiedenis verwerkt.%n blokken aan transactiegeschiedenis verwerkt.
+ %n blokken verwerkt van de transactiegeschiedenis%n blokken verwerkt van de transactiegeschiedenis
Synchronizing additional data: %p%
@@ -624,6 +624,10 @@
Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymization and staking only
Portemonnee is <b>versleuteld</b> en momenteel <b>geopend</b>enkel voor anonimisering en staking
+
+ Tor is <b>enabled</b>: %1
+ Tor is <b>enabled</b>: %1
+
&File
&Bestand
@@ -645,8 +649,8 @@
Tabblad werkbalk
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,11 +673,11 @@
Bekijk masternodes
- &About Ion Core
- &Over Ion Core
+ &About ION Core
+ &Over ION Core
- Show information about Ion Core
+ Show information about ION Core
Toon informatie over ION Kern
@@ -729,16 +733,16 @@
Block verkenner venster
- Show the Ion Core help message to get a list with possible ION command-line options
- Toon het Ion Core help bericht om een lijst te krijgen met mogelijke ION command line opties
+ Show the ION Core help message to get a list with possible ION command-line options
+ Toon het ION Core help bericht om een lijst te krijgen met mogelijke ION command line opties
- Ion Core client
- Ion Core client
+ ION Core client
+ ION Core client
%n active connection(s) to ION network
- %n actieve verbindingen met het ION netwerk%n actieve connectie(s) naar ION netwerk
+ %n actieve verbinding(en) naar het ION netwerk%n actieve verbinding(en) naar het ION netwerk
Synchronizing with network...
@@ -760,13 +764,9 @@
Up to date
Bijgewerkt
-
- %n hour(s)
- %n uren%n uren
-
%n day(s)
- %n day%n dagen
+ %n dagen%n dagen
%n week(s)
@@ -778,7 +778,7 @@
%n year(s)
- %n year%n jaren
+ %n jaren%n jaren
Catching up...
@@ -864,7 +864,7 @@ MultiSend: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Portemonnee is versleuteld </b>en momenteel <b> vergrendeld</b>
-
+
BlockExplorer
@@ -1224,6 +1224,17 @@ MultiSend: %1
Kan de data directory hier niet aanmaken.
+
+ GovernancePage
+
+ Form
+ Formulier
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1231,16 +1242,16 @@ MultiSend: %1
versie
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- Over Ion Core
+ About ION Core
+ Over ION Core
Command-line options
@@ -1286,16 +1297,16 @@ MultiSend: %1
Welkom
- Welcome to Ion Core.
- Welkom bij Ion Core.
+ Welcome to ION Core.
+ Welkom bij ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Aangezien dit de eerste keer is dat het programma is gestart, kun je kiezen waar Ion Core zijn data opslaat.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Aangezien dit de eerste keer is dat het programma is gestart, kun je kiezen waar ION Core zijn data opslaat.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core zal een kopie van de ION blockchain downloaden en opslaan. Tenminste %1GB aan data zal worden opgeslagen in deze map en het zal over de tijd groeien. De portemonnee zal ook in deze map worden opgeslagen.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core zal een kopie van de ION blockchain downloaden en opslaan. Tenminste %1GB aan data zal worden opgeslagen in deze map en het zal over de tijd groeien. De portemonnee zal ook in deze map worden opgeslagen.
Use the default data directory
@@ -1306,8 +1317,8 @@ MultiSend: %1
Gebruik een aangepaste data directory:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1542,48 +1553,74 @@ MultiSend zal niet worden geactiveerd tenzij je op Activeer hebt geklikt(geen label)
- The entered address:
-
- Het ingevoerde adres:
-
+ MultiSend Active for Stakes and Masternode Rewards
+ MultiSend Actief voor Stakes en Masternodebeloningen
+
+
+ MultiSend Active for Stakes
+ MultiSend Actief voor Stakes
+
+
+ MultiSend Active for Masternode Rewards
+ MultiSend Actief voor Masternodebeloningen
+
+
+ MultiSend Not Active
+ MultiSend Niet Actief
- is invalid.
+ The entered address: %1 is invalid.
Please check the address and try again.
- is ongeldig.
-Controleer het adres alsjeblieft en probeer het opnieuw.
+ Het ingevoerde adres: %1 is ongeldig.
+Controleer het adres en probeer opnieuw.
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- De totale hoeveelheid van je MultiSend vector is meer dan 100% van je stake beloning
-
+ The total amount of your MultiSend vector is over 100% of your stake reward
+ De totale hoeveelheid van je MultiSend vector is meer dan 100% van je inzet beloning
- Please Enter 1 - 100 for percent.
- Vul alsjeblieft 1 - 100 voor procent in.
+ Saved the MultiSend to memory, but failed saving properties to the database.
+ De MultiSend in het geheugen opgeslagen, maar mislukt om de eigenschappen op te slaan in de database.
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- De MultiSend in het geheugen opgeslagen, maar mislukt om de eigenschappen op te slaan in de database.
-
+ MultiSend Vector
+ MultiSend Vector
- MultiSend Vector
-
- MultiSend Vector
-
+ Removed %1
+ Verwijderd %1
- Removed
- Verwijderd
+ Could not locate address
+ Kan het adres niet lokaliseren
- Could not locate address
-
- Kan het adres niet lokaliseren
-
+ Unable to activate MultiSend, check MultiSend vector
+ Onmogelijk om MultiSend te activeren, controleer MultiSend vector
+
+
+ MultiSend activated but writing settings to DB failed
+ MultiSend geactiveerd maar instellingen naar DB wegschrijven mislukt
+
+
+ MultiSend activated
+ MultiSend geactiveerd
+
+
+ First Address Not Valid
+ Eerste Adres Niet Gevalideerd
+
+
+ MultiSend deactivated but writing settings to DB failed
+ MultiSend gedeactiveerd maar instellingen naar DB wegschrijven mislukt
+
+
+ MultiSend deactivated
+ MultiSend gedeactiveerd
+
+
+ Please Enter 1 - 100 for percent.
+ Vul alsjeblieft 1 - 100 voor procent in.
@@ -1780,32 +1817,32 @@ Waas alsjeblieft geduldig nadat u op importeren hebt geklikt.
Selecteer de privacy level.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Gebruik 2 aparte masternodes om fondsen te mixen tot 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Gebruik 2 aparte masternodes om fondsen te mixen tot 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Gebruik 8 aparte masternodes om fondsen te mixen tot 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Gebruik 8 aparte masternodes om fondsen te mixen tot 20000 ION
Use 16 separate masternodes
Gebruik 16 aparte masternodes
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Deze optie is het snelst en kost ongeveer ~0,025 ION om 10000 ION te anonimiseren
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Deze optie is het snelst en kost ongeveer ~0,025 ION om 20000 ION te anonimiseren
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Deze optie is gematigd snel en kost ongeveer 0,05 ION om 10000 ION te anonimiseren
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Deze optie is gematigd snel en kost ongeveer 0,05 ION om 20000 ION te anonimiseren
This is the slowest and most secure option. Using maximum anonymity will cost
Dit is de langzaamste en veiligste optie. Het gebruik van maximale anonimiteit kost
- 0.1 ION per 10000 ION you anonymize.
- je anonimiseert 0,1 ION per 10000 ION.
+ 0.1 ION per 20000 ION you anonymize.
+ je anonimiseert 0,1 ION per 20000 ION.
Obfuscation Configuration
@@ -2043,6 +2080,14 @@ https://www.transifex.com/ioncoincore/ioncore
Hide empty balances
Verberg lege saldi
+
+ Hide orphan stakes in transaction lists
+ Verberg orphan stakes in transactielijsten
+
+
+ Hide orphan stakes
+ Verberg orphan stakes
+
Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |.
URL's van derden (bijvoorbeeld een blok verkenner) die in het tabblad transacties verschijnen als contextmenu items. %s in de URL wordt vervangen door transactie hash. Meerdere URL's worden gescheiden door verticale balk |.
@@ -2423,7 +2468,7 @@ Om AutoMint in te schakelend verander je 'enablezeromint=0' naar 'enablezeromint
Amount:
- Hoeveelheid:
+ Bedrag:
Rescan the complete blockchain for Zerocoin mints and their meta-data.
@@ -2485,18 +2530,6 @@ xIon zijn volwassen wanneer zij meer dan 20 bevestigingen hebben EN meer dan 2 m
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Beveiligingsniveau voor Zerocoin transacties. Meer is beter, maar heeft meer tijd en middelen nodig.
-
-
- Security Level:
- Beveiligings niveau:
-
-
- Security Level 1 - 100 (default: 42)
- Beveiligingsniveau 1 - 100 (standaard: 42)
-
Pay &To:
Betaal &Naar:
@@ -2640,6 +2673,14 @@ Om het percentage te wijzigen (geen herstart vereist):
0 x
0 x
+
+ Show xION denominations list
+ Toon xION denominatielijst
+
+
+ Show Denominations
+ Toon Denominaties
+
Denominations with value 5:
Denominaties met waarde 5:
@@ -2696,6 +2737,10 @@ Om het percentage te wijzigen (geen herstart vereist):
Denom. with value 5000:
Denom. met waarde 5000:
+
+ Hide Denominations
+ Verberg Denominaties
+
Priority:
Prioriteit:
@@ -2706,11 +2751,11 @@ Om het percentage te wijzigen (geen herstart vereist):
Fee:
- Kost:
+ Fee:
Dust:
- Stof:
+ Dust:
no
@@ -2750,7 +2795,7 @@ Om het percentage te wijzigen (geen herstart vereist):
Change:
- Wijzig:
+ Wisselgeld:
out of sync
@@ -2762,24 +2807,16 @@ Om het percentage te wijzigen (geen herstart vereist):
Copy quantity
- Kopieer kwanititeit
+ Kopieer kwantiteit
Copy amount
- Kopieer hoeveelheid
+ Kopieer bedrag
Starting ResetMintZerocoin: rescanning complete blockchain, this will need up to 30 minutes depending on your hardware.
Please be patient...
Start ResetMintZerocoin: rescanning complete blockchain, dit zal tot 30 minuten nodig hebben, afhankelijk van uw hardware.
-Wees alsjeblieft geduldig...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- Zerocoin besteden.
-Computationeel duur, zou mogelijk enkele minuten nodig hebben, afhankelijk van het geselecteerde beveiligingsniveau en je hardware.
Wees alsjeblieft geduldig...
@@ -2952,22 +2989,10 @@ Maximaal toegestaan:
to a newly generated (unused and therefore anonymous) local address <br />
naar een nieuw gegenereerd (ongebruikt en dus anoniem) lokaal adres<br />
-
- with Security Level
- met beveiligingsniveau
-
Confirm send coins
Bevestig verzending coins
-
- Version 1 xION require a security level of 100 to successfully spend.
- Versie 1 xION vereist een beveiligingsniveau van 100 om succesvol te besteden.
-
-
- Failed to spend xION
- Mislukt om xION te besteden.
-
Failed to fetch mint associated with serial hash
Mislukt om de mint op te halen geassocieerd met de seriële hash
@@ -2989,7 +3014,7 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
PrivacyDialog
Enter an amount of ION to convert to xION
- PrivacyDialoogPrivacyDialog
+ PrivacyDialogPrivacyDialog
denomination:
@@ -3024,11 +3049,14 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
kosten:
+
+ ProposalFrame
+
QObject
Amount
- Hoeveelheid
+ Bedrag
Enter a ION address (e.g. %1)
@@ -3074,7 +3102,11 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
%1 ms
%1 ms
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
@@ -3436,10 +3468,6 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Confirm resync Blockchain
Bevestig hersynchronisering van Blockchain
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Gebruik omhoog en omlaag pijlen om de geschiedenis te navigeren, en<b>Ctrl-L</b>om scherm te wissen.
-
Type <b>help</b> for an overview of available commands.
Type <b>help </b>voor een overzicht van beschikbare commando's.
@@ -3511,6 +3539,18 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
An optional label to associate with the new receiving address.
Een optioneel label om te associëren met het nieuwe ontvangstadres.
+
+ Your receiving address. You can copy and use it to receive coins on this wallet. A new one will be generated once it is used.
+ Je ontvangstadres. Je kan deze kopieren en gebruiken om munten te ontvangen in deze portemonnee. Een nieuwe zal gegenereerd worden van zodra het gebruikt is.
+
+
+ &Address:
+ &Adres:
+
+
+ A&mount:
+ &Hoeveelheid:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Een optioneel bericht dat aan het betalingsverzoek wordt gehecht, dat wordt weergegeven wanneer het verzoek wordt geopend. Opmerking: het bericht wordt niet verzonden met de betaling via het ION netwerk.
@@ -3535,10 +3575,6 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
An optional amount to request. Leave this empty or zero to not request a specific amount.
Een optioneel bedrag om te vragen. Laat dit leeg of vul een nul in om geen specifiek bedrag te vragen.
-
- &Amount:
- &Hoeveelheid:
-
&Request payment
&Verzoek betaling
@@ -3551,6 +3587,10 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Clear
Leegmaken
+
+ Receiving Addresses
+ Ontvangstadressen
+
Requested payments history
Betalingsverzoeken geschiedenis
@@ -3581,7 +3621,11 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Copy amount
- Kopieer hoeveelheid
+ Kopieer bedrag
+
+
+ Copy address
+ Kopieer adres
@@ -3620,7 +3664,7 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Amount
- Hoeveelheid
+ Bedrag
Label
@@ -3653,9 +3697,13 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Message
Bericht
+
+ Address
+ Adres
+
Amount
- Hoeveelheid
+ Bedrag
(no label)
@@ -3698,7 +3746,7 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Amount:
- Hoeveelheid:
+ Bedrag:
Priority:
@@ -3710,11 +3758,11 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Fee:
- Kost:
+ Fee:
Dust:
- Stof:
+ Dust:
no
@@ -3722,11 +3770,11 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
After Fee:
- Na de kost:
+ Na de fee:
Change:
- Wijzig:
+ Wisselgeld:
If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
@@ -3870,19 +3918,19 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Copy quantity
- Kopieer kwanititeit
+ Kopieer kwantiteit
Copy amount
- Kopieer hoeveelheid
+ Kopieer bedrag
Copy fee
- Kopiëer kost
+ Kopieer fee
Copy after fee
- Kopiëer na kost
+ Kopieer na fee
Copy bytes
@@ -4079,8 +4127,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
ShutdownWindow
- Ion Core is shutting down...
- Ion Core is aan het afsluiten...
+ ION Core is shutting down...
+ ION Core is aan het afsluiten...
Do not shut down the computer until this window disappears.
@@ -4191,11 +4239,11 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Wallet unlock was cancelled.
- Portemonnee-ontsleuteling is geannuleerd.
+ Portemonnee ontsleuteling is geannuleerd.
Private key for the entered address is not available.
- Geheime sleutel voor het ingevoerde adres is niet beschikbaar.
+ Privé sleutel voor het ingevoerde adres is niet beschikbaar.
Message signing failed.
@@ -4229,8 +4277,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
SplashScreen
- Ion Core
- ION Kern
+ ION Core
+ ION Core
Version %1
@@ -4245,7 +4293,7 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
De Dash Kernontwikkelaars
- The Ion Core developers
+ The ION Core developers
De ION Kernontwikkelaars
@@ -4436,7 +4484,7 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Amount
- Hoeveelheid
+ Bedrag
true
@@ -4721,11 +4769,11 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Copy amount
- Kopieer hoeveelheid
+ Kopieer bedrag
Copy transaction ID
- Kopier transactie ID
+ Kopieer transactie ID
Edit label
@@ -4735,6 +4783,10 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Show transaction details
Bekijk transactiedetails
+
+ Hide orphan stakes
+ Verberg orphan stakes
+
Export Transaction History
Exporteer Transactiegeschiedenis
@@ -4878,11 +4930,7 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Select/Deselect All
Selecteer/Deselecteer Alles
-
- Is Spendable
- Is Uitgeefbaar
-
-
+
ion-core
@@ -4910,8 +4958,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Het berekende accumulatie controlepunt is niet wat wordt geregistreerd door de blokindex
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- Kan geen vergrendeling op data directory %s verkrijgen. Ion Core loopt waarschijnlijk al.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Kan geen vergrendeling op data directory %s verkrijgen. ION Core loopt waarschijnlijk al.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -5086,20 +5134,20 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Dit product bevat software ontwikkeld door het OpenSSL Project voor gebruik in de OpenSSL Toolkit <https://www.openssl.org/> en cryptografische software geschreven door Eric Young en UPnP software geschreven door Thomas Bernard.
- Unable to bind to %s on this computer. Ion Core is probably already running.
- Niet mogelijk te binden aan %s op deze computer. Ion Core loopt waarschijnlijk al.
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Niet mogelijk te binden aan %s op deze computer. ION Core loopt waarschijnlijk al.
Unable to locate enough Obfuscation denominated funds for this transaction.
Kan niet genoeg verduistering gedenomineerde fondsen voor deze transactie vinden.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Kan niet genoeg verduistering niet gedenomineerde fondsen voor deze transactie vinden die niet gelijk zijn aan 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Kan niet genoeg verduistering niet gedenomineerde fondsen voor deze transactie vinden die niet gelijk zijn aan 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Kan niet genoeg fondsen voor deze transactie vinden die niet gelijk zijn aan 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Kan niet genoeg fondsen voor deze transactie vinden die niet gelijk zijn aan 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5114,8 +5162,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Waarschuwing: -paytxfee is zeer hoog ingesteld! Dit zijn de transactie kosten die je betaalt als je een transactie verstuurt.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- Waarschuwing: Controleer of de datum en tijd van je computer juist zijn! Als je klok verkeerd staat, werkt Ion Core niet goed.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Waarschuwing: Controleer of de datum en tijd van je computer juist zijn! Als je klok verkeerd staat, werkt ION Core niet goed.
Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
@@ -5189,6 +5237,10 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Always query for peer addresses via DNS lookup (default: %u)
Vraag altijd naar peer adressen via DNS lookup (standaard: %u)
+
+ Append comment to the user agent string
+ Voeg opmerking toe aan de user agent string
+
Attempt to recover private keys from a corrupt wallet.dat
Poog om privé sleutels te herstellen van een corrupte wallet.dat
@@ -5270,8 +5322,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Copyright (C) 2015-%i The PIVX Kernontwikkelaars
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i The Ion Kernontwikkelaars
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Kernontwikkelaars
Corrupted block database detected
@@ -5358,8 +5410,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Error tijdens het laden van wallet.dat: Portemonnee corrupt
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Fout bij het laden van wallet.dat: Portemonnee vereist een nieuwere versie van Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Fout bij het laden van wallet.dat: Portemonnee vereist een nieuwere versie van ION Core
Error opening block database
@@ -5373,6 +5425,10 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Error recovering public key.
Fout bij het herstellen van de publieke sleutel.
+
+ Error writing zerocoinDB to disk
+ Fout bij het schrijven van zerocoinDB naar schijf
+
Error
Error
@@ -5409,6 +5465,10 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Failed to listen on any port. Use -listen=0 if you want this.
Niet gelukt om te luisteren op een poort. Gebruik -listen=0 als je dit wilt.
+
+ Failed to parse host:port string
+ Kan host: poortreeks niet parseren
+
Failed to read block
Mislukt om block te lezen
@@ -5474,8 +5534,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Informatie
- Initialization sanity check failed. Ion Core is shutting down.
- Initialisatie saniteitscontrole mislukt. Ion Core wordt afgesloten.
+ Initialization sanity check failed. ION Core is shutting down.
+ Initialisatie saniteitscontrole mislukt. ION Core wordt afgesloten.
Input is not valid.
@@ -5685,10 +5745,6 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Failed to create mint
Het is niet gelukt om mint te maken
-
- Failed to deserialize
- Kan deserialiseren niet
-
Failed to find Zerocoins in wallet.dat
Niet gelukt om Zerocoins in wallet.dat te vinden.
@@ -5758,8 +5814,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Sporks laden...
- Loading wallet... (%3.1f %%)
- Portemonnee laden... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Portemonnee laden... (%3.2f %%)
Loading wallet...
@@ -6129,14 +6185,6 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
The coin spend has been used
De muntuitgaven zijn gebruikt
-
- The new spend coin transaction did not verify
- De nieuwe uitgave voor uitgavengeld heeft niet geverifieerd
-
-
- The selected mint coin is an invalid coin
- De geselecteerde muntmunt is een ongeldige munt
-
The transaction did not verify
De transactie heeft niet geverifieerd
@@ -6265,6 +6313,10 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Use the test network
Gebruik het test netwerk
+
+ User Agent comment (%s) contains unsafe characters.
+ User Agent opmerking (%s) bevat onveilige karakters.
+
Username for JSON-RPC connections
Gebruikersnaam voor JSON-RPC verbindingen
@@ -6285,10 +6337,6 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Verifying wallet...
Portemonnee verifiëren...
-
- Version 1 xION require a security level of 100 to successfully spend.
- Versie 1 xION vereist een beveiligingsniveau van 100 om succesvol uit te geven.
-
Wallet %s resides outside data directory %s
Portemonnee %s verblijft buiten de data directory %s
@@ -6298,8 +6346,8 @@ Ofwel het munten van hogere denominaties (dus minder invoer nodig) of het te bes
Portemonnee is vergrendeld.
- Wallet needed to be rewritten: restart Ion Core to complete
- Wallet moest worden herschreven: start Ion Core opnieuw om te voltooien
+ Wallet needed to be rewritten: restart ION Core to complete
+ Wallet moest worden herschreven: start ION Core opnieuw om te voltooien
Wallet options:
diff --git a/src/qt/locale/ion_pl.ts b/src/qt/locale/ion_pl.ts
index 7a945f2221e68..e441f6247523b 100644
--- a/src/qt/locale/ion_pl.ts
+++ b/src/qt/locale/ion_pl.ts
@@ -11,11 +11,15 @@
&New
- Nowy
+ &Nowy
+
+
+ Copy the currently selected address to the system clipboard
+ Skopiuj aktualnie wybrany adres do schowka systemowego
&Copy
- Kopiuj
+ &Kopiuj
Delete the currently selected address from the list
@@ -23,15 +27,19 @@
&Delete
- Usuń
+ &Usuń
+
+
+ Export the data in the current tab to a file
+ Wyeksportuj dane z bieżącej karty do pliku
&Export
- Eksportuj
+ &Eksportuj
C&lose
- Zamknij
+ &Zamknij
Choose the address to send coins to
@@ -43,7 +51,7 @@
C&hoose
- Wybierz
+ &Wybierz
Sending addresses
@@ -53,13 +61,21 @@
Receiving addresses
Adres odbiorczy
+
+ These are your ION addresses for sending payments. Always check the amount and the receiving address before sending coins.
+ To są twoje adresy ION do wysyłania płatności. Zawsze sprawdzaj kwotę i adres odbiorcy przed wysłaniem monet.
+
+
+ These are your ION addresses for receiving payments. It is recommended to use a new receiving address for each transaction.
+ To są twoje adresy ION do otrzymywania płatności. Zaleca się użycie nowego adresu odbiorczego dla każdej transakcji.
+
&Copy Address
&Kopiuj adres
Copy &Label
- Kopiuj &Zakładkę
+ Skopiuj &etykietę
&Edit
@@ -69,6 +85,10 @@
Export Address List
Eksportuj listę adresów
+
+ Comma separated file (*.csv)
+ Plik rozdzielony przecinkami (* .csv)
+
Exporting Failed
Eksport nieudany
@@ -82,7 +102,7 @@
AddressTableModel
Label
- Zakładka
+ Etykieta
Address
@@ -90,11 +110,15 @@
(no label)
- (brak zakładki)
+ (brak etykiety)
AskPassphraseDialog
+
+ Passphrase Dialog
+ Okno dialogowe "Passphrase"
+
Enter passphrase
Wpisz hasło
@@ -107,9 +131,22 @@
Repeat new passphrase
Powtórz nowe hasło
+
+ Serves to disable the trivial sendmoney when OS account compromised. Provides no real security.
+ Służy do wyłączania trivial sendmoney po złamaniu konta OS. Nie zapewnia prawdziwego bezpieczeństwa.
+
+
+ For anonymization, automint, and staking only
+ tylko do anonimizacji, automint i staking
+
+
+ Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>.
+ Wprowadź nowe hasło do portfela.
+Użyj hasła składającego się z dziesięciu lub więcej losowych znaków lub ośmiu lub więcej słów.
+
Encrypt wallet
- Zakoduj portfel
+ Zaszyfruj portfel
This operation needs your wallet passphrase to unlock the wallet.
@@ -125,7 +162,7 @@
Decrypt wallet
- Zakoduj portfel
+ Odszyfruj portfel
Change passphrase
@@ -137,27 +174,35 @@
Confirm wallet encryption
- Potwierdź zakodowanie portfela
+ Potwierdź szyfrowanie portfela
+
+
+ ION will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your IONs from being stolen by malware infecting your computer.
+ ION zamknie się teraz, aby zakończyć proces szyfrowania. Pamiętaj, że zaszyfrowanie portfela nie chroni w pełni Twoich ION przed kradzieżą przez złośliwe oprogramowanie infekujące Twój komputer.
Are you sure you wish to encrypt your wallet?
- Czy na pewno chcesz zakodować portfel?
+ Czy na pewno chcesz zaszyfrować swój portfel?
Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR ION</b>!
- Ostrzeżenie: Jeżeli zakodujesz portfel i stracisz do niego hasło , UTRACISZ WSZYSTKIE ION!
+ Ostrzeżenie: Jeżeli zaszyfrujesz portfel i stracisz do niego hasło , <b>UTRACISZ WSZYSTKIE ION</b>!
Wallet encrypted
- Portfel zakodowany
+ Portfel zaszyfrowany
+
+
+ IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet.
+ WAŻNE: Wszystkie poprzednie kopie zapasowe plików portfela należy zastąpić nowo wygenerowanym, zaszyfrowanym plikiem portfela. Ze względów bezpieczeństwa poprzednie kopie niezaszyfrowanego pliku portfela staną się bezużyteczne, gdy tylko zaczniesz korzystać z nowego, zaszyfrowanego portfela.
Wallet encryption failed
- Kodowanie portfela nieudane
+ Szyfrowanie portfela nieudane
Wallet encryption failed due to an internal error. Your wallet was not encrypted.
- Kodowanie portfela nieudane z powodu wewnętrznego błędu. Twój portfel nie został zakodowany
+ Szyfrowanie portfela nieudane z powodu wewnętrznego błędu. Twój portfel nie został zaszyfrowany
The supplied passphrases do not match.
@@ -169,11 +214,11 @@
The passphrase entered for the wallet decryption was incorrect.
- Podane hasło do zakodowania portfela jest błędne
+ Podane hasło do odszyfrowania portfela jest błędne
Wallet decryption failed
- Kodowanie portfela nieudane
+ Odszyfrowywanie portfela nie powiodło się
Wallet passphrase was successfully changed.
@@ -186,7 +231,15 @@
BanTableModel
-
+
+ IP/Netmask
+ Numer IP / Netmask
+
+
+ Banned Until
+ Zakazany do
+
+
Bip38ToolDialog
@@ -195,12 +248,20 @@
&BIP 38 Encrypt
- Zakoduj BIP 38
+ &Zaszyfruj BIP 38
Address:
Adres:
+
+ Enter a ION Address that you would like to encrypt using BIP 38. Enter a passphrase in the middle box. Press encrypt to compute the encrypted private key.
+ Wprowadź adres ION, który chcesz zaszyfrować za pomocą BIP 38. Wprowadź hasło w środkowym polu. Naciśnij przycisk szyfrowania, aby obliczyć zaszyfrowany klucz prywatny.
+
+
+ The ION address to encrypt
+ Adres ION do zaszyfrowania
+
Choose previously used address
Wybierz poprzednio używany adres
@@ -223,11 +284,31 @@
Encrypted Key:
- Zakodowany klucz:
+ Zaszyfrowany klucz:
+
+
+ Copy the current signature to the system clipboard
+ Skopiuj bieżący podpis do schowka systemowego
+
+
+ Encrypt the private key for this ION address
+ Zaszyfruj klucz prywatny dla tego adresu ION
+
+
+ Reset all fields
+ Zresetuj wszystkie pola
+
+
+ The encrypted private key
+ Zaszyfrowany klucz prywatny
+
+
+ Decrypt the entered key using the passphrase
+ Odszyfruj wprowadzony klucz za pomocą hasła
Encrypt &Key
- Kodowanie &klucz
+ Zaszyfruj &klucz
Clear &All
@@ -235,16 +316,28 @@
&BIP 38 Decrypt
- &BIP 38 Zakoduj
+ &BIP 38 odszyfruj
+
+
+ Enter the BIP 38 encrypted private key. Enter the passphrase in the middle box. Click Decrypt Key to compute the private key. After the key is decrypted, clicking 'Import Address' will add this private key to the wallet.
+ Wprowadź zaszyfrowany klucz prywatny BIP 38. Wprowadź hasło w środkowym polu. Kliknij przycisk Odszyfruj klucz, aby obliczyć klucz prywatny. Po odszyfrowaniu klucza kliknięcie "Importuj adres" spowoduje dodanie tego klucza prywatnego do portfela.
+
+
+ Decrypt &Key
+ Odszyfruj &klucz
Decrypted Key:
- Zakodowany klucz:
+ Odszyfrowany klucz:
Import Address
Adres importu
+
+ Click "Decrypt Key" to compute key
+ Kliknij "Odszyfruj Klucz", aby obliczyć klucz
+
The entered passphrase is invalid.
Podane hasło jest nieprawidłowe
@@ -275,7 +368,7 @@
Failed to decrypt.
- Błąd kodowania
+ Nie udało się odszyfrować.
Please check the key and passphrase and try again.
@@ -283,7 +376,7 @@
Data Not Valid.
- Dane nieprawdziwe
+ Dane są nieprawidłowe.
Please try again.
@@ -314,7 +407,7 @@
Node
- Node
+ Węzeł
&Overview
@@ -340,9 +433,21 @@
Browse transaction history
Przeglądaj historię transakcji
+
+ Privacy Actions for xION
+ Prywatne Akcje xION
+
+
+ &Governance
+ &Zarządzanie
+
+
+ Show Proposals
+ Pokaż propozycje
+
E&xit
- Wyjdź
+ &Wyjdź
Quit application
@@ -358,7 +463,7 @@
&Options...
- &Opcje
+ &Opcje...
&Show / Hide
@@ -370,7 +475,7 @@
&Encrypt Wallet...
- &Zakoduj portfel
+ &Zaszyfruj portfel ...
Encrypt the private keys that belong to your wallet
@@ -378,15 +483,15 @@
&Backup Wallet...
- &Kopia zapasowa portfela
+ &zapis kopii zapasowa portfela...
Backup wallet to another location
- &Kopia zapasowa portfela z innej lokacji
+ Kopia zapasowa portfela z innej lokacji
&Change Passphrase...
- &Zmień hasło
+ &Zmiana hasła...
Change the passphrase used for wallet encryption
@@ -394,7 +499,7 @@
&Unlock Wallet...
- &Odblokuj portfel
+ &Odblokowanie portfela
Unlock wallet
@@ -406,11 +511,11 @@
Sign &message...
- &Zatwierdź wiadomość
+ Zatwierdźanie &wiadomości...
&Verify message...
- &Zweryfikuj wiadomość
+ &Zweryfikuje wiadomość...
&Information
@@ -430,7 +535,7 @@
&Network Monitor
- Monitor sieci
+ &Monitor sieci
Show network monitor
@@ -446,7 +551,7 @@
Wallet &Repair
- Portfel &Napraw
+ Napraw &Portfel
Show wallet repair options
@@ -466,7 +571,7 @@
&Sending addresses...
- &Adres wysyłki
+ &Adres wysyłki...
Show the list of used sending addresses and labels
@@ -474,12 +579,36 @@
&Receiving addresses...
- &Adres odbiorczy
+ &Adresy odbiorcze
Show the list of used receiving addresses and labels
Pokaż listę używanych adresów odbiorczych i zakładek
+
+ &Multisignature creation...
+ &Tworzenie multisygnatur...
+
+
+ Create a new multisignature address and add it to this wallet
+ Utwórz nowy adres multisignature i dodaj go do tego portfela
+
+
+ &Multisignature spending...
+ &Wydawanie multisignature ...
+
+
+ Spend from a multisignature address
+ Wydaj z adresu multisignature
+
+
+ &Multisignature signing...
+ &Zatwierdzanie multisygnatur
+
+
+ Sign with a multisignature address
+ Zatwierdź używając adresu multisignature
+
Open &URI...
Otwórz &URL
@@ -488,10 +617,27 @@
&Command-line options
&Opcje Command-line
+
+ Processed %n blocks of transaction history.
+ Przetworzono %n blok historii transakcji.Przetworzono %n bloków historii transakcji.Przetworzono %n bloków historii transakcji.Przetworzono %n bloków historii transakcji.
+
Synchronizing additional data: %p%
Synchronizacja dodatkowych danych %p%
+
+ %1 behind. Scanning block %2
+ %1 za. Skanowanie bloku %2f
+
+
+ Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymization and staking only
+ Portfel jest
+odszyfrowany i aktualnie odblokowany tylko do anonimizacji i stakingu
+
+
+ Tor is <b>enabled</b>: %1
+ Tor włączony %1
+
&File
&Plik
@@ -509,8 +655,12 @@
&Pomoc
- Ion Core
- &Rdzeń ION
+ Tabs toolbar
+ Pasek narzędzi
+
+
+ ION Core
+ Rdzeń ION
Send coins to a ION address
@@ -520,6 +670,10 @@
Request payments (generates QR codes and ion: URIs)
Zarządaj płatności (generuje kod QR i ion:URI)
+
+ &Privacy
+ &Prywatność
+
&Masternodes
&Masternodes
@@ -529,12 +683,12 @@
Przeglądaj masternodes
- &About Ion Core
- &O rdzeniu bitcoina
+ &About ION Core
+ &O ION Core
- Show information about Ion Core
- Pokaż informacje o rdzeniu bitcoina
+ Show information about ION Core
+ Pokaż informacje o ION Core
Modify configuration options for ION
@@ -570,7 +724,11 @@
Open &Masternode Configuration File
- Otwórz &Plik konfiguracji Masternode
+ Otwórz Plik konfiguracji &Masternode
+
+
+ Open Masternode configuration file
+ Otwórz plik konfiguracyjny Masternode
Open a ION: URI or payment request
@@ -585,12 +743,16 @@
Okno eksplorera bloków
- Show the Ion Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
Pokaż wiadomość pomocy rdzenia ION, aby dostać listę możliwych opcji ION command-line
- Ion Core client
- Rdzeń ION klient
+ ION Core client
+ ION Core klient
+
+
+ %n active connection(s) to ION network
+ %n aktywne połączenie z siecią ION()%n aktywnych połączeń z siecią ION()%n aktywnych połączeń z siecią ION()%n aktywnych połączeń z siecią ION()
Synchronizing with network...
@@ -612,13 +774,37 @@
Up to date
Zaktualizowany
+
+ %n hour(s)
+ %n godzinę%n godzin%n godzin%n godzin
+
+
+ %n day(s)
+ %n dzień%n dni%n dni%n dni
+
+
+ %n week(s)
+ %n tydzień%n tygodni%n tygodni%n tygodni
+
+
+ %1 and %2
+ %1 i %2
+
+
+ %n year(s)
+ %n rok%n lat%n lat%n lat
+
+
+ Catching up...
+ Nadrabiam...
+
Last received block was generated %1 ago.
- Ostatni wygenerowany blok %1 wcześniej
+ Ostatni otrzymany blok został wygenerowany %1 temu.
Transactions after this will not yet be visible.
- Transakcji po nim nie będą jeszcze widoczne
+ Transakcje późniejsze nie będą jeszcze widoczne
Error
@@ -676,13 +862,25 @@ MultiWysyłka: %1
Staking nieaktywny
MultiWysyłlka: %1
+
+ AutoMint is currently enabled and set to
+ AutoMint jest obecnie włączony i ustawiony na
+
+
+ AutoMint is disabled
+ AutoMint jest wyłączony
+
Wallet is <b>encrypted</b> and currently <b>unlocked</b>
- Portfel jest 1Zakodowany1 i obecnie 2Odblokowany2
+ Portfel jest zaszyfrowany i obecnie odblokowany
Wallet is <b>encrypted</b> and currently <b>locked</b>
- Portfel jest 1Zakodowany1 i obecnie 2Zablokowany2
+ Portfel jest zaszyfrowany i obecnie zablokowany
+
+
+ A fatal error occurred. ION can no longer continue safely and will quit.
+ Wystąpił błąd krytyczny. ION nie może już działać bezpiecznie i zakończy działanie.
@@ -691,6 +889,14 @@ MultiWysyłlka: %1
Blockchain Explorer
Eksplorer blockchain
+
+ Back
+ Do tyłu
+
+
+ Forward
+ Do przodu
+
Address / Block / Transaction
Adres / Blok / Transakcja
@@ -703,15 +909,35 @@ MultiWysyłlka: %1
TextLabel
TekstZakładka
-
+
+ Not all transactions will be shown. To view all transactions you need to set txindex=1 in the configuration file (ioncoin.conf).
+ Nie wszystkie transakcje zostaną pokazane. Aby wyświetlić wszystkie transakcje, musisz ustawić txindex=1 w pliku konfiguracyjnym (ioncoin.conf).
+
+
ClientModel
-
+
+ Total: %1 (IPv4: %2 / IPv6: %3 / Tor: %4 / Unknown: %5)
+ Razem: %1 (IPv4: %2 / IPv6: %3 / Tor: %4 / Nieznane: %5)
+
+
+ Network Alert
+ Alert sieciowy
+
+
CoinControlDialog
+
+ Quantity:
+ Ilość:
+
+
+ Bytes:
+ Bajty:
+
Amount:
- Liczba:
+ Ilość:
Priority:
@@ -725,17 +951,25 @@ MultiWysyłlka: %1
Coin Selection
Wybór monet
+
+ Dust:
+ Pył:
+
After Fee:
Po opłacie:
Change:
- Zmiana:
+ Reszta:
(un)select all
- (Od)znacz wszystkie
+ (od)/zaznacz wszystkie
+
+
+ toggle lock state
+ przełączać stan blokady
Tree mode
@@ -751,7 +985,7 @@ MultiWysyłlka: %1
Amount
- Liczba
+ Ilość
Received with label
@@ -761,6 +995,10 @@ MultiWysyłlka: %1
Received with address
Otrzymano z adresem
+
+ Type
+ Typ
+
Date
Data
@@ -793,6 +1031,14 @@ MultiWysyłlka: %1
Copy transaction ID
Kopiuj ID transakcji
+
+ Lock unspent
+ Zablokuj niewydane
+
+
+ Unlock unspent
+ Odblokuj niewydane
+
Copy quantity
Kopiuj ilość
@@ -805,17 +1051,25 @@ MultiWysyłlka: %1
Copy after fee
Kopiuj po opłacie
+
+ Copy bytes
+ Skopiuj bajty
+
Copy priority
Kopiuj priorytet
+
+ Copy dust
+ Kopiuj Pył
+
Copy change
- Kopiuj zmianę
+ Kopiuj resztę
Please switch to "List mode" to use this function.
- Proszę przełączyć na :Tryb listy" by użyć tej funkcji
+ Proszę przełączyć na "Tryb listy" by użyć tej funkcji
highest
@@ -877,6 +1131,10 @@ MultiWysyłlka: %1
This means a fee of at least %1 per kB is required.
To znaczy, że opłata co najmniej %1 za kB jest wymagana
+
+ Can vary +/- 1 byte per input.
+ Zmienia się +/- 1 byte
+
Transactions with higher priority are more likely to get included into a block.
Transakcje o wyższym priorytecie ma większe prawdopodobieństwo wdrożenia do bloku
@@ -885,26 +1143,221 @@ MultiWysyłlka: %1
This label turns red, if the priority is smaller than "medium".
Ta zakładka staje się czerwona, jeżeli priorytet jest mniejszy niż "średni"
+
+ This label turns red, if any recipient receives an amount smaller than %1.
+ Ta etykieta zmienia kolor na czerwony, jeśli odbiorca otrzymuje mniej niż %1.
+
+
+ Can vary +/- %1 uion per input.
+ Zmienia się +/- %1 uion
+
(no label)
- (brak zakładki)
+ (brak etykiety)
+
+
+ change from %1 (%2)
+ Reszta z %1 (%2)
+
+
+ (change)
+ (reszta)
-
+
EditAddressDialog
-
+
+ Edit Address
+ Edytuj adres
+
+
+ &Label
+ &Etykieta
+
+
+ The label associated with this address list entry
+ Etykieta powiązana z tą pozycją listy adresowej
+
+
+ &Address
+ &Adres
+
+
+ The address associated with this address list entry. This can only be modified for sending addresses.
+ Adres powiązany z tą pozycją listy adresowej. To można zmodyfikować tylko dla adresu docelowego.
+
+
+ New receiving address
+ Nowy adres odbiorczy
+
+
+ New sending address
+ Nowy adres wysyłania
+
+
+ Edit receiving address
+ Nowy adres wysyłania
+
+
+ Edit sending address
+ Edytuj adres wysyłania
+
+
+ The entered address "%1" is not a valid ION address.
+ Wprowadzony adres "%1" nie jest prawidłowym adresem ION.
+
+
+ The entered address "%1" is already in the address book.
+ Wprowadzony adres "%1" jest już w książce adresowej.
+
+
+ Could not unlock wallet.
+ Nie można odblokować portfela.
+
+
+ New key generation failed.
+ Nie udało się wygenerować nowego klucza.
+
+
FreespaceChecker
-
+
+ A new data directory will be created.
+ Zostanie utworzony nowy katalog danych.
+
+
+ name
+ Nazwa
+
+
+ Directory already exists. Add %1 if you intend to create a new directory here.
+ Katalog już istnieje. Dodaj %1, jeśli zamierzasz utworzyć tutaj nowy katalog.
+
+
+ Path already exists, and is not a directory.
+ Ścieżka już istnieje i nie jest katalogiem.
+
+
+ Cannot create data directory here.
+ Nie można tutaj utworzyć katalogu danych.
+
+
+
+ GovernancePage
+
+ Form
+ Forma
+
+
+ GOVERNANCE
+ ZARZĄDZANIE
+
+
+ Update Proposals
+ Aktualizuj propozycje
+
+
+ Next super block:
+ Następny super blok:
+
+
+ 0
+ 0
+
+
+ Blocks to next super block:
+ Bloków to następnego super bloku:
+
+
+ Days to budget payout (estimate):
+ Dni do wypłaty (szacunkowe):
+
+
+ Allotted budget:
+ Budżet przydzielony:
+
+
+ Budget left:
+ Pozostały budżet:
+
+
+ Masternodes count:
+ Liczniki masternodes:
+
+
HelpMessageDialog
- Ion Core
- &Rdzeń ION
+ version
+ Wersja
+
+
+ ION Core
+ Rdzeń ION
+
+
+ (%1-bit)
+ (%1-bit)
+
+
+ About ION Core
+ O ION Core
+
+
+ Command-line options
+ Opcje wiersza poleceń
+
+
+ Usage:
+ użycie
+
+
+ command-line options
+ Opcje wiersza poleceń
+
+
+ UI Options:
+ UI opcje
+
+
+ Choose data directory on startup (default: %u)
+ Wybierz katalog danych podczas uruchamiania (domyślnie: %u )
+
+
+ Show splash screen on startup (default: %u)
+ Pokaż ekran powitalny podczas uruchamiania (domyślnie: %u )
+
+
+ Set language, for example "de_DE" (default: system locale)
+ Ustaw język, na przykład "pl_PL" (domyślnie: ustawienia regionalne)
+
+
+ Start minimized
+ Start zminimalizowany
-
+
+ Set SSL root certificates for payment request (default: -system-)
+ Ustaw certyfikaty SSL dla żądania zapłaty (domyślnie: -system-)
+
+
Intro
+
+ Welcome
+ Zapraszamy
+
+
+ Welcome to ION Core.
+ Zapraszamy do ION Core
+
+
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Ponieważ program jest uruchamiany po raz pierwszy, możesz wybrać miejsce, w którym ION Core będzie przechowywać swoje dane.
+
+
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core pobierze i zapisze kopię łańcucha bloków ION. Przynajmniej %1 GB danych zostanie zapisanych w tym katalogu, a jego liczba będzie rosnąć z czasem. Portfel zostanie również zapisany w tym katalogu.
+
Use the default data directory
Użyj domyślnej ścieżki danych
@@ -914,8 +1367,12 @@ MultiWysyłlka: %1
Użyj niestandardowej ścieżki danych
- Ion Core
- &Rdzeń ION
+ ION Core
+ Rdzeń ION
+
+
+ Error: Specified data directory "%1" cannot be created.
+ Błąd: nie można utworzyć określonego katalogu danych "%1".
Error
@@ -923,15 +1380,31 @@ MultiWysyłlka: %1
%1 GB of free space available
- %1GB dostępnej pamięci
+ %1 GB dostępnej pamięci
+
+
+ (of %1 GB needed)
+ ( %1 GB potrzebne)
-
+
MasternodeList
Form
Forma
+
+ MASTERNODES
+ MASTERNODES
+
+
+ Note: Status of your masternodes in local wallet can potentially be slightly incorrect.<br />Always wait for wallet to sync additional data and then double check from another node<br />if your node should be running but you still see "MISSING" in "Status" field.
+ Uwaga: Stan twoich masternodów w lokalnym portfelu może być nieco niepoprawny. Zawsze czekaj, aż portfel zsynchronizuje dodatkowe dane, a następnie sprawdź ponownie od innego węzła, w którym powinien działać twój węzeł, ale nadal widzisz komunikat "BRAK" w polu "Stan".
+
+
+ Alias
+ Alias
+
Address
Adres
@@ -950,7 +1423,7 @@ MultiWysyłlka: %1
Last Seen (UTC)
- Ustatnio widziano (UTC)
+ Ostatnio widziano (UTC)
Pubkey
@@ -958,7 +1431,7 @@ MultiWysyłlka: %1
S&tart alias
- Start alias
+ S&tart alias
Start &all
@@ -970,11 +1443,11 @@ MultiWysyłlka: %1
&Update status
- &Status aktualizacji
+ &Stan aktualizacji
Status will be updated automatically in (sec):
- Status będzie uaktualniany automatycznie (w sekundach)
+ Stan będzie uaktualniany automatycznie (w sekundach)
0
@@ -986,7 +1459,7 @@ MultiWysyłlka: %1
Confirm masternode start
- Potwierdź rozpoczęcie Masternode
+ Potwierdź start Masternode
Are you sure you want to start masternode %1?
@@ -1014,7 +1487,7 @@ MultiWysyłlka: %1
Are you sure you want to start MISSING masternodes?
- Czy jesteś pewien, że chcesz rozpocząć BRAKUJĄCE masternode?
+ Czy jesteś pewien, że chcesz wystartować BRAKUJĄCE masternode?
@@ -1035,6 +1508,17 @@ MultiWysyłlka: %1
Enter Address to Send to
Wprowadź adres do wysłania
+
+ MultiSend allows you to automatically send up to 100% of your stake or masternode reward to a list of other ION addresses after it matures.
+To Add: enter percentage to give and ION address to add to the MultiSend vector.
+To Delete: Enter address to delete and press delete.
+MultiSend will not be activated unless you have clicked Activate
+ MultiSend pozwala na automatyczne przesłanie do 100% swojej nagrody za staking lub masternoda na listę innych adresów ION po osiągnięciu dojrzałości. Aby dodać: wpisz procent i adres ION, żeby dodać do wektora MultiSend. Aby usunąć: Enter adres do usunięcia i naciśnij Usuń. MultiSend nie zostanie aktywowany, dopóki nie klikniesz Aktywuj
+
+
+ Add to MultiSend Vector
+ Dodaj do MultiSend Vector
+
Add
Dodaj
@@ -1061,64 +1545,206 @@ MultiWysyłlka: %1
Percentage:
- Procent
+ Procent:
+
+
+ Address to send portion of stake to
+ Adres do wysłania stake.
Address:
Adres:
- Delete
- Usuń
+ Label:
+ Etykieta:
- Activate MultiSend
+ Enter a label for this address to add it to your address book
+ Wpisz etykietę dla tego adresu, aby dodać ją do swojej książki adresowej
+
+
+ Delete Address From MultiSend Vector
+ Usuń adres z MultiSend Vector
+
+
+ Delete
+ Usuń
+
+
+ Activate MultiSend
Aktywuj MultiWysyłkę
Activate
Aktywuj
+
+ View MultiSend Vector
+ Zobacz wektor MultiSend
+
View MultiSend
Podgląd MultiWysyłki
+
+ Send For Stakes
+ Wyślij do Stakes
+
+
+ Send For Masternode Rewards
+ Wyślij do Masternode Rewards
+
(no label)
- (brak zakładki)
+ (brak etykiety)
- The entered address:
-
- Wprowadzony adres:
-
+ MultiSend Active for Stakes and Masternode Rewards
+ MultiSend Aktywny dla Stakes i Masternode
+
+
+ MultiSend Active for Stakes
+ MultiSend Aktywny dla Stakes
+
+
+ MultiSend Active for Masternode Rewards
+ MultiSend Aktywny dla Masternode
+
+
+ MultiSend Not Active
+ MultiSend nieaktywny
- is invalid.
+ The entered address: %1 is invalid.
Please check the address and try again.
- jest nieprawidłowy
-Proszę sprawdzić adres i spróbować ponownie
+ Wprowadzony adres: %1 jest nieprawidłowy.
+Sprawdź adres i spróbuj ponownie.
- Please Enter 1 - 100 for percent.
- Proszę wprowadzić 1-100 procent
+ The total amount of your MultiSend vector is over 100% of your stake reward
+ Łączna kwota Twojego wektora MultiSend to ponad 100% nagrody za stake
- Removed
- Usunięto
+ Saved the MultiSend to memory, but failed saving properties to the database.
+ Zapisano MultiSend w pamięci, ale nie powiodło się zapisywanie właściwości w bazie danych.
- Could not locate address
-
- Nie można zlokalizować adresu
-
+ MultiSend Vector
+ MultiSend Vector
+
+
+ Removed %1
+ Usunięto %1
+
+
+ Could not locate address
+ Nie można znaleźć adresu
+
+
+ Unable to activate MultiSend, check MultiSend vector
+ Nie można aktywować MultiSend, sprawdź wektor MultiSend
+
+
+ Need to select to send on stake and/or masternode rewards
+ Musisz wybrać, aby wysłać nagrody za stake i / lub masternode
+
+
+ MultiSend activated but writing settings to DB failed
+ Aktywowano funkcję MultiSend, ale zapisanie ustawień do bazy danych nie powiodło się
+
+
+ MultiSend activated
+ Aktywowano funkcję MultiSend
+
+
+ First Address Not Valid
+ Pierwszy adres nie jest prawidłowy
+
+
+ MultiSend deactivated but writing settings to DB failed
+ Funkcja MultiSend została wyłączona, ale zapisywanie ustawień do bazy danych nie powiodło się
+
+
+ MultiSend deactivated
+ Funkcja MultiSend została wyłączona
+
+
+ Please Enter 1 - 100 for percent.
+ Proszę wprowadzić 1-100 procent
MultisigDialog
+
+ Multisignature Address Interactions
+ Interakcje między adresami Multisignature
+
+
+ Create MultiSignature &Address
+ Utwórz adres MultiSignature
+
+
+ How many people must sign to verify a transaction
+ Ile osób musi podpisać, aby zweryfikować transakcję
+
+
+ Enter the minimum number of signatures required to sign transactions
+ Wprowadź minimalną liczbę podpisów wymaganych do podpisywania transakcji
+
+
+ Address Label:
+ Etykieta adresu:
+
+
+ Add another address that could sign to verify a transaction from the multisig address.
+ Dodaj kolejny adres, który może podpisać, aby zweryfikować transakcję z adresu multisig.
+
+
+ &Add Address / Key
+ &Dodaj adres / klucz
+
+
+ Local addresses or public keys that can sign:
+ Adres lokalny lub klucz publiczny, który może podpisać:
+
+
+ Create a new multisig address
+ Utwórz nowy adres multisig
+
+
+ C&reate
+ U&twórz
+
Status:
- Status:
+ Stan:
+
+
+ Use below to quickly import an address by its redeem. Don't forget to add a label before clicking import!
+Keep in mind, the wallet will rescan the blockchain to find transactions containing the new address.
+Please be patient after clicking import.
+ Użyj, aby szybko zaimportować adres przez jego redeem. Nie zapomnij dodać etykiety przed kliknięciem przycisku importuj! Pamiętaj, że portfel przeszuka blockchain, aby znaleźć transakcje zawierające nowy adres. Po kliknięciu importu należy zachować cierpliwość.
+
+
+ &Import Redeem
+ &Importuj Redeem
+
+
+ &Create MultiSignature Tx
+ &Utwórz MultiSignature Tx
+
+
+ Inputs:
+ Wejścia:
+
+
+ Coin Control
+ Kontrola monet
+
+
+ Quantity Selected:
+ Wybrana ilość:
0
@@ -1126,11 +1752,103 @@ Proszę sprawdzić adres i spróbować ponownie
Amount:
- Liczba:
+ Ilość:
+
+
+ Add an input to fund the outputs
+ Dodaj dane wejściowe żeby znaleźć wyniki
+
+
+ Add a Raw Input
+ Dodaj Raw Input
+
+
+ Address / Amount:
+ Adres / kwota:
+
+
+ Add destinations to send ION to
+ Dodaj miejsca docelowe, żeby wysłać ION do
+
+
+ Add &Destination
+ &Dodaj cel
+
+
+ Create a transaction object using the given inputs to the given outputs
+ Utwórz obiekt transakcji, dopasowując dane wejściowe do danych wyników
+
+
+ Cr&eate
+ U&twórz
+
+
+ &Sign MultiSignature Tx
+ &Zarejestruj MultiSignature Tx
+
+
+ Transaction Hex:
+ Transakcja Hex:
+
+
+ Sign the transaction from this wallet or from provided private keys
+ Podpisuj transakcję z tego portfela lub z dostarczonych kluczy prywatnych
+
+
+ S&ign
+ &Podpis
+
+
+ <html><head/><body><p>DISABLED until transaction has been signed enough times.</p></body></html>
+ <html><head/><body><p>Nieaktywny, dopóki transakcja nie zostanie podpisana wystarczająco dużo razy.</p></body></html>
+
+
+ Co&mmit
+ &angażować
+
+
+ Add private keys to sign the transaction with
+ Dodaj klucze prywatne, aby podpisać transakcję
+
+
+ Add Private &Key
+ &Dodaj klucze prywatne
+
+
+ Sign with only private keys (Not Recommened)
+ Zaloguj się, używając tylko kluczy prywatnych (Niezalecane)
+
+
+ Invalid Tx Hash.
+ Nieprawidłowy Tx Hash
+
+
+ Vout position must be positive.
+ Pozycja Vout musi być dodatnia.
+
+
+ Maximum possible addresses reached. (15)
+ Osiągnięto maksymalne możliwą liczbę adresów. (15)
+
+
+ Vout Position:
+ Pozycja Vout
+
+
+ Amount:
+ Ilość:
+
+
+ Maximum (15)
+ Maximum (15)
-
+
ObfuscationConfig
+
+ Configure Obfuscation
+ Skonfiguruj Obfuskację
+
Basic Privacy
Podstawowa prywatność
@@ -1147,18 +1865,74 @@ Proszę sprawdzić adres i spróbować ponownie
Please select a privacy level.
Proszę wybrać poziom prywatności
-
+
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Użyj 2 oddzielnych masternodów, aby wymieszać fundusze od 20000 ION
+
+
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Użyj 8 oddzielnych masternodów, aby wymieszać fundusze od 20000 ION
+
+
+ Use 16 separate masternodes
+ Użyj 16 oddzielnych masternode
+
+
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Ta opcja jest najszybsza, najmniej bezpieczna i kosztuje około 0,025 ION, aby anonimizować 20000 ION
+
+
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Ta opcja jest wolniejsza, bezpieczniejsza i kosztuje około 0,05 ION, aby anonimizować 20000 ION
+
+
+ This is the slowest and most secure option. Using maximum anonymity will cost
+ Jest to najwolniejsza i najbezpieczniejsza opcja. Korzystanie z maksymalnej anonimowości będzie kosztować
+
+
+ 0.1 ION per 20000 ION you anonymize.
+ anonimizujesz 20000 ION za 0,1 ION
+
+
+ Obfuscation Configuration
+ Skonfiguruj Zaciemnianie
+
+
+ Obfuscation was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening ION's configuration screen.
+ Zaciemnianie zostało z powodzeniem ustawione na podstawową wartość (%1 i 2 rundy). Możesz to zmienić w dowolnym momencie, otwierając ekran konfiguracji ION.
+
+
+ Obfuscation was successfully set to high (%1 and 8 rounds). You can change this at any time by opening ION's configuration screen.
+ Zaciemnianie zostało z powodzeniem ustawiona na wysoką wartość (%1 i 8 rund). Możesz to zmienić w dowolnym momencie, otwierając ekran konfiguracji ION.
+
+
+ Obfuscation was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening ION's configuration screen.
+ Zaciemnianie zostało z powodzeniem ustawione na makszmalną wartość (%1 i 16 rund). Możesz to zmienić w dowolnym momencie, otwierając ekran konfiguracji ION.
+
+
OpenURIDialog
Open URI
Otwórz URI
+
+ Open payment request from URI or file
+ Otwórz prośbę o płatność z URI lub pliku
+
URI:
URI:
-
+
+ Select payment request file
+ Wybierz plik żądania płatności
+
+
+ Select payment request file to open
+ Wybierz plik żądania płatności, aby otworzyć
+
+
OptionsDialog
@@ -1171,15 +1945,31 @@ Proszę sprawdzić adres i spróbować ponownie
Size of &database cache
- Rozmiar &bazy danych cache
+ &Rozmiar bazy danych cache
MB
MB
+
+ Number of script &verification threads
+ Liczba wątków skryptowych i weryfikacyjnych
+
+
+ (0 = auto, <0 = leave that many cores free)
+ (0 = auto, <0 = zostaw za darmo)
+
W&allet
- Portfel
+ &Portfel
+
+
+ If you disable the spending of unconfirmed change, the change from a transaction<br/>cannot be used until that transaction has at least one confirmation.<br/>This also affects how your balance is computed.
+ Jeśli wyłączysz wydawanie niepotwierdzonych reszt, reszta z transakcji nie może być użyta, dopóki transakcja nie uzyska co najmniej jednego potwierdzenia. Ma to również wpływ na sposób obliczania salda.
+
+
+ Automatically open the ION client port on the router. This only works when your router supports UPnP and it is enabled.
+ Automatycznie otwórz port klienta ION na routerze. Działa to tylko wtedy, gdy twój router obsługuje UPnP i jest włączony.
Accept connections from outside
@@ -1189,6 +1979,14 @@ Proszę sprawdzić adres i spróbować ponownie
Allow incoming connections
Zezwól na przychodzące połączenia
+
+ &Connect through SOCKS5 proxy (default proxy):
+ &Połącz przez serwer proxy SOCKS5 (domyślne proxy):
+
+
+ Expert
+ Ekspert
+
Automatically start ION after logging in to the system.
Automatycznie uruchom ION po zalogowaniu do systemu
@@ -1205,10 +2003,18 @@ Proszę sprawdzić adres i spróbować ponownie
Enable coin &control features
Włącz cechy kontroli monety
+
+ Show additional tab listing all your masternodes in first sub-tab<br/>and all masternodes on the network in second sub-tab.
+ Pokaż dodatkową tabelę wszystkich twoich masternodów w pierwszej szpalcie<br/> i wszystkich masternodów w sieci w drugiej
+
Show Masternodes Tab
Pokaż Masternode Tab
+
+ &Spend unconfirmed change
+ &Wydaj niepotwierdzoną resztę
+
&Network
&Sieć
@@ -1223,6 +2029,46 @@ https://www.transifex.com/ioncoincore/ioncore
Brakuje języka bądź nieukończona pełnego tłumaczenia? Pomóż w tłumaczeniu tutaj:
https://www.transifex.com/ioncoincore/ioncore
+
+ Map port using &UPnP
+ Mapuj port za pomocą &UPnP
+
+
+ Enable automatic minting of ION units to xION
+ Włącz automatyczny minting ION do xION
+
+
+ Enable xION Automint
+ Włącz xION Automint
+
+
+ Enable automatic xION minting from specific addresses
+ Włącz automatyczne wybijanie xION-ów z określonych adresów
+
+
+ Enable Automint Addresses
+ Włącz adresy Automint
+
+
+ Percentage of incoming ION which get automatically converted to xION via Zerocoin Protocol (min: 10%)
+ Procent ION, które są automatycznie konwertowane na xION za pomocą protokołu Zerocoin (min: 10%)
+
+
+ Percentage of autominted xION
+ Procent automint xION
+
+
+ Wait with automatic conversion to Zerocoin until enough ION for this denomination is available
+ Zaczekaj z automatyczną konwersją na Zerocoin, aż będzie dostępna wystarczająca wartość ION dla tego nominału
+
+
+ Preferred Automint xION Denomination
+ Preferowane nominały Automint xION
+
+
+ Stake split threshold:
+ Próg podziału stawki -stake- :
+
Connect to the ION network through a SOCKS5 proxy.
Połącz z siecią ION poprzez SOCKS5 proxy.
@@ -1247,9 +2093,25 @@ https://www.transifex.com/ioncoincore/ioncore
&Window
&Okno
+
+ Show only a tray icon after minimizing the window.
+ Pokaż tylko ikonkę po zminimalizowaniu okna.
+
+
+ &Minimize to the tray instead of the taskbar
+ &Zminimalizuj do tray zamiast do paska zadań
+
+
+ Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu.
+ Zminimalizuj zamiast wychodzić z aplikacji, gdy okno jest zamknięte. Po włączeniu tej opcji aplikacja zostanie zamknięta dopiero po wybraniu opcji Zakończ w menu.
+
+
+ M&inimize on close
+ &Zminimalizuj przy zamknięciu
+
&Display
- &Pokaz
+ &Pokaż
User Interface &language:
@@ -1271,6 +2133,30 @@ https://www.transifex.com/ioncoincore/ioncore
Decimal digits
Liczby dziesiętne
+
+ Hide empty balances
+ Ukryj puste saldo
+
+
+ Hide orphan stakes in transaction lists
+ Ukryj osierocone stawki w liście tranzakcji
+
+
+ Hide orphan stakes
+ Ukryj osierocone stakes
+
+
+ Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |.
+ Zewnętrzne adresy URL (np. Eksplorator bloków), które pojawiają się na karcie transakcji jako elementy menu kontekstowego. %s w adresie URL jest zastąpione hashem transakcji. Wielokrotne URL są oddzielone pionową linią |.
+
+
+ Third party transaction URLs
+ Adresy URL transakcji stron trzecich
+
+
+ Active command-line options that override above options:
+ Aktywne opcje wiersza polecenia, które zastępują powyższe opcje:
+
Reset all client options to default.
Zresetuj wszystkie ustawienia by przywrócić ustawienia domyślne
@@ -1287,6 +2173,10 @@ https://www.transifex.com/ioncoincore/ioncore
&Cancel
&Anuluj
+
+ Any
+ jakikolwiek
+
default
domyślny
@@ -1315,7 +2205,15 @@ https://www.transifex.com/ioncoincore/ioncore
The supplied proxy address is invalid.
Podany adres proxy jest nieprawidłowy
-
+
+ The supplied proxy port is invalid.
+ Podany port proxy jest nieprawidłowy.
+
+
+ The supplied proxy settings are invalid.
+ Podane ustawienia proxy są nieprawidłowe.
+
+
OverviewPage
@@ -1330,78 +2228,372 @@ https://www.transifex.com/ioncoincore/ioncore
Your current spendable balance
Twój aktualny balans do wysłania
+
+ Total Balance, including all unavailable coins.
+ Saldo całkowite, w tym wszystkie niedostępne monety.
+
+
+ ION Balance
+ ION Saldo
+
Pending:
W trakcie realizacji:
+
+ Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance
+ Łącznie transakcji, które jeszcze nie zostały potwierdzone, i jeszcze nie wliczają się do salda do wydania
+
Immature:
Niedojrzały
- Total:
- Całość:
+ Staked or masternode rewards that has not yet matured
+ Nagrody za Stake lub masternode, które nie zostały jeszcze potwierdzone
- Current total balance in watch-only addresses
- Obecny całkowity bilans w adresach tylko do obejrzenia
+ Current locked balance in watch-only addresses
+ Aktualne zablokowane saldo na testowych adresach
- Watch-only:
- Tylko do obejrzenia
+ Your current ION balance, unconfirmed and immature transactions included
+ Twoje bieżące saldo ION, niepotwierdzone transakcje zostały uwzględnione
- Spendable:
- Możliwy do wysłania:
+ xION Balance
+ xION Saldo
- Recent transactions
- Ostatnie transakcje
+ Mature: more than 20 confirmation and more than 1 mint of the same denomination after it was minted.
+These xION are spendable.
+ Dojrzałe: ponad 20 potwierdzeń i więcej niż 1 mint o tym samym nominale po jej wybiciu.
+Te xION można wydać
- out of sync
- Brak synchronizacji
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+ Niepotwierdzone: mniej niż 20 potwierdzeń
+Niedojrzały: potwierdzony, ale mniej niż 1 mint o tym samym nominale po wybiciu
-
-
- PaymentServer
- Payment request error
- BŁĄD żądania płatności
+ The displayed information may be out of date. Your wallet automatically synchronizes with the ION network after a connection is established, but this process has not completed yet.
+ Wyświetlane informacje mogą być nieaktualne. Twój portfel automatycznie synchronizuje się z siecią ION po nawiązaniu połączenia, ale ten proces jeszcze się nie zakończył.
- Payment request has expired.
- Żadanie płatności straciło ważność
+ OVERVIEW
+ PRZEGLĄD
- Payment request is not initialized.
- Żądanie płatności nie zainicjowane
+ Combined Balance (including unconfirmed and immature coins)
+ Saldo połączone (w tym niepotwierdzone i niedojrzałe monety)
-
-
- PeerTableModel
- Version
- Wersja
+ Combined Balance
+ Połączone saldo
- Ping Time
- Czas PinguCzas pingu
+ Unconfirmed transactions to watch-only addresses
+ Niepotwierdzone transakcje na adresy testowe
-
-
- PrivacyDialog
- 0
+ Staked or masternode rewards in watch-only addresses that has not yet matured
+ Nagrody za Stake lub masternode w adresach testowych, które jeszcze nie zostały dojrzałe
+
+
+ Total:
+ Całość:
+
+
+ Current total balance in watch-only addresses
+ Obecny całkowity bilans w adresach tylko do obejrzenia
+
+
+ Watch-only:
+ Watch-only:
+
+
+ Your current balance in watch-only addresses
+ Twoje bieżące saldo na adresach testowych
+
+
+ Spendable:
+ Możliwy do wysłania:
+
+
+ Locked ION or Masternode collaterals. These are excluded from xION minting.
+ Zablokowane ION lub Masternode. Są one wyłączone xION minting
+
+
+ Locked:
+ Zablokowany:
+
+
+ Unconfirmed:
+ Niepotwierdzone:
+
+
+ Your current xION balance, unconfirmed and immature xION included.
+ Twoje obecne saldo xION, niepotwierdzone i niedojrzałe xION włącznie.
+
+
+ Recent transactions
+ Ostatnie transakcje
+
+
+ out of sync
+ Brak synchronizacji
+
+
+ Current percentage of xION.
+If AutoMint is enabled this percentage will settle around the configured AutoMint percentage (default = 10%).
+
+ Aktualny procent xION.
+Jeśli włączona jest funkcja AutoMint, procent ten ustabilizuje się wokół skonfigurowanej wartości AutoMint (domyślnie = 10%).
+
+
+
+ AutoMint is currently enabled and set to
+ AutoMint jest obecnie włączony i ustawiony na
+
+
+ To disable AutoMint add 'enablezeromint=0' in ioncoin.conf.
+ Aby wyłączyć AutoMint, dodaj "enablezeromint = 0" w pliku ioncoin.conf.
+
+
+ AutoMint is currently disabled.
+To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1' in ioncoin.conf
+ Funkcja AutoMint jest obecnie wyłączona.
+Aby włączyć AutoMint zmień "enablezeromint = 0" na "enablezeromint = 1" w pliku ioncoin.conf
+
+
+
+ PaymentServer
+
+ Payment request error
+ BŁĄD żądania płatności
+
+
+ URI handling
+ Obsługa URI
+
+
+ Payment request fetch URL is invalid: %1
+ Adres URL żądania zapłaty jest nieprawidłowy: %1
+
+
+ Payment request file handling
+ Obsługa plików żądań płatności
+
+
+ Invalid payment address %1
+ Nieprawidłowy adres płatności %1
+
+
+ Cannot start ion: click-to-pay handler
+ Nie można uruchomić ion: click-to-pay handler
+
+
+ URI cannot be parsed! This can be caused by an invalid ION address or malformed URI parameters.
+ Nie można przeanalizować identyfikatora URI! Może to być spowodowane nieprawidłowym adresem ION lub nieprawidłowymi parametrami URI.
+
+
+ Payment request file cannot be read! This can be caused by an invalid payment request file.
+ Plik żądania płatności nie może zostać odczytany! Przyczyną może być niepoprawny plik żądania płatności.
+
+
+ Payment request rejected
+ Żądanie płatności odrzucone
+
+
+ Payment request network doesn't match client network.
+ Sieć żądań płatności nie jest zgodna z siecią klienta.
+
+
+ Payment request has expired.
+ Żadanie płatności straciło ważność
+
+
+ Payment request is not initialized.
+ Żądanie płatności nie zainicjowane
+
+
+ Unverified payment requests to custom payment scripts are unsupported.
+ Niezweryfikowane żądania płatności dotyczące niestandardowych skryptów płatności są nieobsługiwane.
+
+
+ Requested payment amount of %1 is too small (considered dust).
+ Żądana kwota płatności %1 jest za mała (za pył).
+
+
+ Refund from %1
+ Zwrot %1
+
+
+ Payment request %1 is too large (%2 bytes, allowed %3 bytes).
+ Żądanie płatności %1 jest za duże ( %2 bajty, dozwolone %3 bajty).
+
+
+ Payment request DoS protection
+ Wniosek o płatność Ochrona DoS
+
+
+ Error communicating with %1: %2
+ Błąd komunikacji z %1: %2
+
+
+ Payment request cannot be parsed!
+ Żądania płatności nie można przeanalizować!
+
+
+ Bad response from server %1
+ Zła odpowiedź z serwera %1
+
+
+ Network request error
+ Błąd żądania sieci
+
+
+ Payment acknowledged
+ Płatność potwierdzona
+
+
+
+ PeerTableModel
+
+ Address/Hostname
+ adres / nazwa hosta
+
+
+ Version
+ Wersja
+
+
+ Ping Time
+ Czas Pingu
+
+
+
+ PrivacyDialog
+
+ Zerocoin Actions:
+ Działania Zerocoin:
+
+
+ The displayed information may be out of date. Your wallet automatically synchronizes with the ION network after a connection is established, but this process has not completed yet.
+ Wyświetlane informacje mogą być nieaktualne. Twój portfel automatycznie synchronizuje się z siecią ION po nawiązaniu połączenia, ale ten proces jeszcze się nie zakończył.
+
+
+ Mint Zerocoin
+ Mint Zerocoin
+
+
+ 0
0
+
+ xION
+ xION
+
+
+ Available for minting are coins which are confirmed and not locked or Masternode collaterals.
+ Do minting dostępne są monety, które są potwierdzone i niezablokowane dla Masternode.
+
+
+ Available for Minting:
+ Dostępne dla Minting:
+
+
+ 0.000 000 00 ION
+ 0.000 000 00 ION
+
+
+ Reset Zerocoin Wallet DB. Deletes transactions that did not make it into the blockchain.
+ Zresetuj DB portfela Zerocoin. Usuwa transakcje, które nie zostały wprowadzone do łańcucha blokowego.
+
Reset
Resetuj
+
+ Coin Control...
+ Kontrola monet ...
+
+
+ Quantity:
+ Ilość:
+
Amount:
- Liczba:
+ Ilość:
+
+
+ Rescan the complete blockchain for Zerocoin mints and their meta-data.
+ Ponownie przeszukaj cały blockchain dla Zerocoin, mint i ich meta-danych.
+
+
+ ReScan
+ skanuje ponownie
+
+
+ Status and/or Mesages from the last Mint Action.
+ Status i / lub wiadomości z ostatniej akcji mint.
+
+
+ PRIVACY
+ PRYWATNOŚĆ
+
+
+ Enter an amount of Ion to convert to xION
+ Wprowadź ilość Ion, aby przekonwertować na xION
+
+
+ xION Control
+ Kontrola xION
+
+
+ xION Selected:
+ Wybrano xION:
+
+
+ Quantity Selected:
+ Wybrana ilość:
+
+
+ Spend Zerocoin. Without 'Pay To:' address creates payments to yourself.
+ Wydaj Zerocoin. Bez "Płać do:" tworzy płatności dla siebie.
+
+
+ Spend Zerocoin
+ Wydaj Zerocoin
+
+
+ Available (mature and spendable) xION for spending
+ Dostępne (starsze i dostępne) xION do wydania
+
+
+ Available Balance:
+ Dostępne saldo:
+
+
+ Available (mature and spendable) xION for spending
+
+xION are mature when they have more than 20 confirmations AND more than 2 mints of the same denomination after them were minted
+ Dostępne (starsze i dostępne) xION do wydania
+
+xION są dojrzałe, gdy mają więcej niż 20 potwierdzeń I więcej niż 2 mints tego samego nominału które po nich zostały wybite
+
+
+ 0 xION
+ 0 xION
+
+
+ Pay &To:
+ &Zapłać
+
+
+ The ION address to send the payment to. Creates local payment to yourself when empty.
+ Adres ION do wysłania płatności do. Tworzy lokalną płatność dla siebie, gdy jest pusta.
Choose previously used address
@@ -1420,626 +2612,3306 @@ https://www.transifex.com/ioncoincore/ioncore
Alt+P
- Priority:
- Priorytet:
+ &Label:
+ &Etykieta
- TextLabel
- TekstZakładka
+ Enter a label for this address to add it to the list of used addresses
+ Wprowadź etykietę dla tego adresu, aby dodać ją do listy używanych adresów
- Fee:
- Opłata:
+ A&mount:
+ &Ilość:
- no
- nie
+ Convert Change to Zerocoin (might cost additional fees)
+ Konwertuj resztę na Zerocoin (może to kosztować dodatkowe opłaty)
- medium
- średni
+ If checked, the wallet tries to minimize the returning change instead of minimizing the number of spent denominations.
+ Jeśli jest zaznaczone, portfel próbuje zminimalizować powracającą resztę, zamiast minimalizować liczbę zużytych nominałów.
- Change:
- Zmiana:
+ Minimize Change
+ Minimalizuj resztę
- out of sync
- Brak synchronizacji
+ Information about the available Zerocoin funds.
+ Informacje o dostępnych funduszach Zerocoin.
- Copy quantity
- Kopiuj ilość
+ Zerocoin Stats:
+ Zerocoin Stats:
- Copy amount
- Kopiuj liczbę
+ Total Balance including unconfirmed and immature xION
+ Łączne saldo razem z niepotwierdzonym i niedojrzałym xION
-
-
- QObject
- Amount
- Liczba
+ Total Zerocoin Balance:
+ Total Balans Zerocoin:
- Enter a ION address (e.g. %1)
- Wprowadź adres ION (np. %1)
+ Denominations with value 1:
+ Nominały o wartości 1:
- %1 d
- %1 d
+ Denom. with value 1:
+ Nominały o wartości 1:
- %1 h
- %1 g
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+ Niepotwierdzone: mniej niż 20 potwierdzeń
+Niedojrzały: potwierdzony, ale mniej niż 1 mint o tym samym nominale po wybiciu
- %1 m
- %1 m
+ Show the current status of automatic xION minting.
+
+To change the status (restart required):
+- enable: add 'enablezeromint=1' to ioncoin.conf
+- disable: add 'enablezeromint=0' to ioncoin.conf
+
+To change the percentage (no restart required):
+- menu Settings->Options->Percentage of autominted xION
+
+
+ Pokaż aktualny status automatycznego mint xION.
+
+Aby zmienić status (wymagany restart):
+- włącz: dodaj "enablezeromint = 1" do pliku ioncoin.conf
+- wyłącz: dodaj "enablezeromint = 0" do pliku ioncoin.conf
+
+Aby zmienić procent (bez ponownego uruchamiania):
+- menu Ustawienia-> Opcje-> Procent autominted xION
+
+
- %1 s
- %1 s
+ AutoMint Status
+ AutoMint Stan
- NETWORK
- Sieć
+ Global Supply:
+ Globalny zapas:
- UNKNOWN
- NIEZNANY
+ Denom. 1:
+ Nominały 1:
- None
- Brak
+ Denom. 5:
+ Nominały 5:
- N/A
- N/A
+ Denom. 10:
+ Nominały 10:
- %1 ms
- %1 ms
+ Denom. 50:
+ Nominały 50:
-
-
- QRImageWidget
- &Save Image...
- &Zapisz obrazek
+ Denom. 100:
+ Nominały 100:
- &Copy Image
- &Kopiuj obrazek
+ Denom. 500:
+ Nominały 500:
- Save QR Code
- Zapisz kod QR
+ Denom. 1000:
+ Nominały 1000:
- PNG Image (*.png)
- Obrazek PNG (*.png)
+ Denom. 5000:
+ Nominały 5000:
-
-
- RPCConsole
- Tools window
- Okno narzędzi
+ 0 x
+ 0 x
- &Information
- &Informacje
+ Show xION denominations list
+ Pokaż listę jednostek xION
- General
- Generalne
+ Show Denominations
+ Pokaż jednostki
- Name
- Nazwa
+ Denominations with value 5:
+ Nominały o wartości 5:
+
+
+ Denom. with value 5:
+ Nominały o wartości 5:
+
+
+ Denominations with value 10:
+ Nominały o wartości 10:
+
+
+ Denom. with value 10:
+ Nominały o wartości 10:
+
+
+ Denominations with value 50:
+ Nominały o wartości 50:
+
+
+ Denom. with value 50:
+ Nominały o wartości 50:
+
+
+ Denominations with value 100:
+ Nominały o wartości 100:
+
+
+ Denom. with value 100:
+ Nominały o wartości 100:
+
+
+ Denominations with value 500:
+ Nominały o wartości 500:
+
+
+ Denom. with value 500:
+ Nominały o wartości 500:
+
+
+ Denominations with value 1000:
+ Nominały o wartości 1000:
+
+
+ Denom. with value 1000:
+ Nominały o wartości 1000:
+
+
+ Denominations with value 5000:
+ Nominały o wartości 5000:
+
+
+ Denom. with value 5000:
+ Nominały o wartości 5000:
+
+
+ Hide Denominations
+ Ukryj jednostki
+
+
+ Priority:
+ Priorytet:
+
+
+ TextLabel
+ TekstZakładka
+
+
+ Fee:
+ Opłata:
+
+
+ Dust:
+ Pył:
+
+
+ no
+ nie
+
+
+ Bytes:
+ Bajty:
+
+
+ Insufficient funds!
+ Niewystarczające środki!
+
+
+ Coins automatically selected
+ Monety automatycznie wybrane
+
+
+ medium
+ średni
+
+
+ Coin Control Features
+ Funkcje kontroli monet
+
+
+ If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
+ Jeśli jest aktywowany, ale adres reszty jest pusty lub nieprawidłowy, reszta zostanie wysłana na nowo wygenerowany adres.
+
+
+ Custom change address
+ Standardowy adres reszty
+
+
+ Amount After Fee:
+ Kwota po opłacie:
+
+
+ Change:
+ Reszta:
+
+
+ out of sync
+ Brak synchronizacji
+
+
+ Mint Status: Okay
+ Mint Stan: Ok
+
+
+ Copy quantity
+ Kopiuj ilość
+
+
+ Copy amount
+ Kopiuj liczbę
+
+
+ Starting ResetMintZerocoin: rescanning complete blockchain, this will need up to 30 minutes depending on your hardware.
+Please be patient...
+ Uruchamianie ResetMintZerocoin: ponowne skanowanie kompletnego blockchaina, to będzie wymagać do 30 minut w zależności od sprzętu.
+Proszę być cierpliwym...
+
+
+ ) needed.
+Maximum allowed:
+ ) potrzebne.
+Maksymalna dozwolona:
+
+
+ xION Spend #:
+ Wydaj xION #:
+
+
+ xION Mint
+ xION Mint
+
+
+ <b>enabled</b>.
+ <b>włączony</b>.
+
+
+ <b>disabled</b>.
+ <b>wyłączony</b>.
+
+
+ Configured target percentage: <b>
+ Skonfigurowana wartość procentowa:<b>
+
+
+ xION is currently disabled due to maintenance.
+ xION jest obecnie wyłączony z powodu konserwacji.
+
+
+ xION is currently undergoing maintenance.
+ xION jest obecnie w trakcie konserwacji.
+
+
+ Denom. with value <b>1</b>:
+ Nominały o wartości <b> 1 </b> :
+
+
+ Denom. with value <b>5</b>:
+ Nominały o wartości<b> 5 </b> :
+
+
+ Denom. with value <b>10</b>:
+ Nominały o wartości<b> 10</b> :
+
+
+ Denom. with value <b>50</b>:
+ Nominały o wartości<b> 50</b> :
+
+
+ Denom. with value <b>100</b>:
+ Nominały o wartości<b> 100</b> :
+
+
+ Denom. with value <b>500</b>:
+ Nominały o wartości <b>500</b> :
+
+
+ Denom. with value <b>1000</b>:
+ Nominały o wartości <b>1000</b> :
+
+
+ Denom. with value <b>5000</b>:
+ Nominały o wartości <b>5000</b> :
+
+
+ AutoMint Status:
+ AutoMint Stan:
+
+
+ Denom. <b>1</b>:
+ Nominały <b>1</b> :
+
+
+ Denom. <b>5</b>:
+ Nominały 1 :<b>5</b> :
+
+
+ Denom. <b>10</b>:
+ Nominały <b>10</b> :
+
+
+ Denom. <b>50</b>:
+ Nominały <b>50</b> :
+
+
+ Denom. <b>100</b>:
+ Nominały <b>100</b> :
+
+
+ Denom. <b>500</b>:
+ Nominały <b>500</b> :
+
+
+ Denom. <b>1000</b>:
+ Nominały <b>1000</b> :
+
+
+ Denom. <b>5000</b>:
+ Nominały <b>5000</b> :
+
+
+ Error: Your wallet is locked. Please enter the wallet passphrase first.
+ Błąd: Twój portfel jest zablokowany. Najpierw wpisz hasło do portfela.
+
+
+ Message: Enter an amount > 0.
+ Wiadomość: wprowadź kwotę > 0.
+
+
+ Minting
+ Minting
+
+
+ Successfully minted
+ Pomyślnie minted -wybite-
+
+
+ xION in
+ xION w
+
+
+ sec. Used denominations:
+
+ sec. Używane nominały:
+
+
+
+ Duration:
+ Trwanie:
+
+
+ sec.
+
+ sec.
+
+
+
+ Starting ResetSpentZerocoin:
+ Uruchamianie ResetSpentZerocoin:
+
+
+ No 'Pay To' address provided, creating local payment
+ Nie podano adresu "Zapłać do", tworząc płatność lokalną
+
+
+ Invalid Ion Address
+ Nieprawidłowy adres Ion
+
+
+ Invalid Send Amount
+ Nieprawidłowa kwota wysyłania
+
+
+ Confirm additional Fees
+ Potwierdź dodatkowe opłaty
+
+
+ Are you sure you want to send?<br /><br />
+ Czy na pewno chcesz wysłać?<br /><br />
+
+
+ to address
+ na adres
+
+
+ to a newly generated (unused and therefore anonymous) local address <br />
+ do nowo wygenerowanego (nieużywanego, a tym samym anonimowego) adresu lokalnego<br />
+
+
+ Confirm send coins
+ Potwierdź wysyłanie monet
+
+
+ Failed to fetch mint associated with serial hash
+ Nie udało się pobrać mint powiązanej z hashem szeregowym
+
+
+ Too much inputs (
+ Za dużo wejść (
+
+
+
+Either mint higher denominations (so fewer inputs are needed) or reduce the amount to spend.
+
+Albo wybierz wyższe nominały (potrzeba mniej wejść) albo zmniejsz kwotę do wydania.
+
+
+ Spend Zerocoin failed with status =
+ Wydawanie Zerocoin nie powiodło się ze stanem =
+
+
+ PrivacyDialog
+ Enter an amount of ION to convert to xION
+ PrivacyDialogPrivacyDialogPrivacyDialogPrivacyDialog
+
+
+ denomination:
+ Nominały
+
+
+ Spending Zerocoin.
+Computationally expensive, might need several minutes depending on your hardware.
+Please be patient...
+ Wydawanie Zerocoinów.
+Kosztowne obliczeniowo może wymagać kilku minut w zależności od sprzętu.
+Proszę być cierpliwym...
+
+
+ serial:
+ serial:
+
+
+ Spend is 1 of :
+ Wydane 1 z :
+
+
+ value out:
+ wartość wyjśćowa:
+
+
+ address:
+ adres
+
+
+ Sending successful, return code:
+ Wysyłanie pomyślne, kod powrotu:
+
+
+ txid:
+ txid:
+
+
+ fee:
+ opłata:
+
+
+
+ ProposalFrame
+
+ Open proposal page in browser
+ Otwórz stronę propozycji w przeglądarce
+
+
+ remaining payment(s).
+ pozostałe płatności.()
+
+
+ Yes:
+ Tak:
+
+
+ Abstain:
+ Wstrzymać się:
+
+
+ No:
+ Nie:
+
+
+ A proposal URL can be used for phishing, scams and computer viruses. Open this link only if you trust the following URL.
+
+ Adres URL propozycji może być używany do phishingu, oszustw i wirusów komputerowych. Otwórz ten link tylko wtedy, gdy ufasz poniższemu adresowi URL.
+
+
+
+ Open link
+ Otwórz link
+
+
+ Copy link
+ Kopiuj link
+
+
+ Wallet Locked
+ Portfel zablokowany
+
+
+ You must unlock your wallet to vote.
+ Aby głosować, musisz odblokować portfel.
+
+
+ Do you want to vote %1 on
+ Czy chcesz głosować na %1
+
+
+ using all your masternodes?
+ używać wszystkich swoich masternodów?
+
+
+ Proposal Hash:
+ Hash propozycji:
+
+
+ Proposal URL:
+ URL propozycji:
+
+
+ Confirm Vote
+ Potwierdź głosowanie
+
+
+ Vote Results
+ Wyniki głosowania
+
+
+
+ QObject
+
+ Amount
+ Ilość
+
+
+ Enter a ION address (e.g. %1)
+ Wprowadź adres ION (np. %1)
+
+
+ %1 d
+ %1 d
+
+
+ %1 h
+ %1 g
+
+
+ %1 m
+ %1 m
+
+
+ %1 s
+ %1 s
+
+
+ NETWORK
+ Sieć
+
+
+ BLOOM
+ KWIAT
+
+
+ ZK_BLOOM
+ ZK_BLOOM
+
+
+ UNKNOWN
+ NIEZNANY
+
+
+ None
+ Brak
+
+
+ N/A
+ N/A
+
+
+ %1 ms
+ %1 ms
+
+
+ ION Core
+ ION Core
+
+
+ Error: Specified data directory "%1" does not exist.
+ Błąd: Określony katalog danych „%1” nie istnieje.
+
+
+ Error: Cannot parse configuration file: %1. Only use key=value syntax.
+ Błąd: Nie można przeanalizować pliku konfiguracyjnego: %1. Używaj tylko składni klucz=wartość.
+
+
+ Error: Invalid combination of -regtest and -testnet.
+ Błąd: nieprawidłowa kombinacja -regtest i -testnet.
+
+
+ Error reading masternode configuration file: %1
+ Błąd odczytu pliku konfiguracyjnego masternode: %1
+
+
+ ION Core didn't yet exit safely...
+ ION Core nie zamkną się jeszcze bezpiecznie ...
+
+
+
+ QRImageWidget
+
+ &Save Image...
+ &Zapisz obrazek
+
+
+ &Copy Image
+ &Kopiuj obrazek
+
+
+ Save QR Code
+ Zapisz kod QR
+
+
+ PNG Image (*.png)
+ Obrazek PNG (*.png)
+
+
+
+ RPCConsole
+
+ Tools window
+ Okno narzędzi
+
+
+ &Information
+ &Informacje
+
+
+ General
+ Generalne
+
+
+ Name
+ Nazwa
+
+
+ Client name
+ Nazwa klienta
+
+
+ N/A
+ N/A
+
+
+ Number of connections
+ Liczba połączeń
+
+
+ &Open
+ &Otwórz
+
+
+ Startup time
+ Czas startupu
+
+
+ Network
+ Sieć
+
+
+ Last block time
+ Czas ostatniego bloku
+
+
+ Debug log file
+ Debuguj plik log
+
+
+ Using OpenSSL version
+ Używanie wersji OpenSSL
+
+
+ Build date
+ Data zbudowania
+
+
+ Current number of blocks
+ Bieżąca liczba bloków
+
+
+ Client version
+ Wersja clienta
+
+
+ Using BerkeleyDB version
+ Używanie wersji BerkeleyDB
+
+
+ Block chain
+ Łańcuch bloków
+
+
+ Open the ION debug log file from the current data directory. This can take a few seconds for large log files.
+ Otwórz plik dziennika debugowania ION z bieżącego katalogu danych. Może to potrwać kilka sekund w przypadku dużych plików dziennika.
+
+
+ Number of Masternodes
+ Liczba Masternode
+
+
+ &Console
+ &Konsola
+
+
+ Clear console
+ Wyczyść konsolę
+
+
+ &Network Traffic
+ &Ruch sieci
+
+
+ &Clear
+ &Wyczyść
+
+
+ Totals
+ Razem
+
+
+ Received
+ Otrzymano
+
+
+ Sent
+ Wysłano
+
+
+ &Peers
+ &Peers
+
+
+ Banned peers
+ Zbanowani rówieśnicy -peers-
+
+
+ Select a peer to view detailed information.
+ Wybierz peer by zobaczyć szczegółowe informacje
+
+
+ Whitelisted
+ Dodane do białej listy
+
+
+ Direction
+ Kierunek
+
+
+ Protocol
+ Protokół
+
+
+ Version
+ Wersja
+
+
+ Services
+ Usługi
+
+
+ Ban Score
+ Wynik Ban
+
+
+ Connection Time
+ Czas połączenia
+
+
+ Last Send
+ OStatnio wysłano
+
+
+ Last Receive
+ Ostatnio otrzymano
+
+
+ Bytes Sent
+ Bajty wysłane
+
+
+ Bytes Received
+ Bajty otrzymane
+
+
+ Ping Time
+ Czas Pingu
+
+
+ &Wallet Repair
+ &Napraw portfel
+
+
+ Delete local Blockchain Folders
+ Usuń lokalne foldery Blockchain
+
+
+ Wallet In Use:
+ Portfel w użyciu:
+
+
+ Starting Block
+ Startuje Blok
+
+
+ Synced Headers
+ Zsynchronizowane nagłówki
+
+
+ Synced Blocks
+ Zsynchronizowane Bloki
+
+
+ The duration of a currently outstanding ping.
+ Aktualny czas polecenia ping.
+
+
+ Ping Wait
+ Ping czeka
+
+
+ Time Offset
+ Przesuniecie Czasu
+
+
+ Custom Backup Path:
+ Standardowa ścieżka kopii zapasowej:
+
+
+ Custom xION Backup Path:
+ standardowa ścieżka kopii zapasowej xION:
+
+
+ Custom Backups Threshold:
+ Próg standardowych kopii zapasowych:
+
+
+ Salvage wallet
+ Odzyskaj portfel
+
+
+ Attempt to recover private keys from a corrupt wallet.dat.
+ Próba odzyskania kluczy prywatnych z uszkodzonego pliku wallet.dat.
+
+
+ Rescan blockchain files
+ Reskanuj pliki łańcucha bloków
+
+
+ Rescan the block chain for missing wallet transactions.
+ Ponownie przeskanuj łańcuch blokujący w poszukiwaniu brakujących transakcji w portfelu.
+
+
+ Recover transactions 1
+ Odzyskaj transakcji 1
+
+
+ Recover transactions from blockchain (keep meta-data, e.g. account owner).
+ Odzyskaj transakcje z blockchain (zachowaj metadane, np. Właściciela konta).
+
+
+ Recover transactions 2
+ Odzyskaj transakcje 2
+
+
+ Recover transactions from blockchain (drop meta-data).
+ Odzyskaj transakcje z blockchain (niezachowuj metadanych).
+
+
+ Upgrade wallet format
+ Ulepsz format portfela
+
+
+ Rebuild block chain index from current blk000??.dat files.
+ Przebuduj indeks łańcucha bloków z bieżących plików blk000??.dat
+
+
+ -resync:
+ -resync:
+
+
+ Deletes all local blockchain folders so the wallet synchronizes from scratch.
+ Usuwa wszystkie lokalne foldery blockchain, aby portfel synchronizował się od początku.
+
+
+ The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions.
+ Poniższe przyciski uruchomią ponownie portfel z opcjami wiersza poleceń, aby naprawić portfel, naprawić problemy z uszkodzonymi plikami blockhain lub brakującymi / przestarzałymi transakcjami.
+
+
+ Wallet repair options.
+ Opcje naprawy portfela.
+
+
+ Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!)
+ Uaktualnij portfel do najnowszego formatu podczas uruchamiania. (Uwaga: NIE jest to aktualizacja samego portfela!)
+
+
+ Rebuild index
+ Przebuduj indeks
+
+
+ In:
+ W
+
+
+ Out:
+ Z
+
+
+ Welcome to the ION RPC console.
+ Witamy w konsoli ION RPC.
+
+
+ &Disconnect Node
+ Odłącz węzeł
+
+
+ Ban Node for
+ Zbanuj węzeł na
+
+
+ 1 &hour
+ 1 &godzinę
+
+
+ 1 &day
+ 1 &dzień
+
+
+ 1 &week
+ 1 &tydzień
+
+
+ 1 &year
+ 1 &rok
+
+
+ &Unban Node
+ &Usuń bana na węzeł
+
+
+ This will delete your local blockchain folders and the wallet will synchronize the complete Blockchain from scratch.<br /><br />
+ Spowoduje to usunięcie lokalnych folderów blockchain, a portfel zsynchronizuje kompletny Blockchain od zera.<br /><br />
+
+
+ This needs quite some time and downloads a lot of data.<br /><br />
+ To zajmuje sporo czasu i pobiera dużo danych.<br /><br />
+
+
+ Your transactions and funds will be visible again after the download has completed.<br /><br />
+ Twoje transakcje i środki będą widoczne ponownie po zakończeniu pobierania.<br /><br />
+
+
+ Do you want to continue?.<br />
+ Czy chcesz kontynuować?.<br />
+
+
+ Confirm resync Blockchain
+ Potwierdź resynchronizacje Blockchain
+
+
+ Use up and down arrows to navigate history, and %1 to clear screen.
+ Użyj strzałek w górę iw dół, aby poruszać się po historii, a %1, aby wyczyścić ekran.
+
+
+ Type <b>help</b> for an overview of available commands.
+ Wpisz <b>help</b>, aby uzyskać przegląd dostępnych poleceń.
+
+
+ WARNING: Scammers have been active, telling users to type commands here, stealing their wallet contents. Do not use this console without fully understanding the ramifications of a command.
+ OSTRZEŻENIE: Scamery były aktywne, mówiąc użytkownikom, aby wpisywali tutaj polecenia, kradnąc ich zawartość portfela. Nie używaj tej konsoli bez pełnego zrozumienia konsekwencji polecenia.
+
+
+ %1 B
+ %1 B
+
+
+ %1 KB
+ %1 KB
+
+
+ %1 MB
+ %1 MB
+
+
+ %1 GB
+ %1 GB
+
+
+ (node id: %1)
+ (identyfikator węzła: %1)
+
+
+ via %1
+ przez %1
+
+
+ never
+ nigdy
+
+
+ Inbound
+ Przychodzące
+
+
+ Outbound
+ Wychodzące
+
+
+ Yes
+ Tak
+
+
+ No
+ Nie
+
+
+ Unknown
+ Nieznane
+
+
+
+ ReceiveCoinsDialog
+
+ Reuse one of the previously used receiving addresses.<br>Reusing addresses has security and privacy issues.<br>Do not use this unless re-generating a payment request made before.
+ Ponownie użyj jednego z wcześniej używanych adresów odbiorczych.<br>Ponowne używanie adresów powoduje problemy z bezpieczeństwem i prywatnością.<br>Nie używaj tego, chyba że ponownie wygenerujesz prośbę o płatność.
+
+
+ R&euse an existing receiving address (not recommended)
+ Ponownie użyj istniejącego adresu odbiorczego (niezalecane)
+
+
+ &Message:
+ &Wiadomość:
+
+
+ An optional label to associate with the new receiving address.
+ Opcjonalna etykieta powiązana z nowym adresem odbiorczym.
+
+
+ Your receiving address. You can copy and use it to receive coins on this wallet. A new one will be generated once it is used.
+ Twój adres odbiorczy. Możesz go kopiować i używać do odbierania monet w tym portfelu. Nowy zostanie wygenerowany, gdy ten zostanie użyty.
+
+
+ &Address:
+ &Adres:
+
+
+ A&mount:
+ &Ilość:
+
+
+ An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
+ Opcjonalna wiadomość dołączana do żądania zapłaty, która zostanie wyświetlona przy otwarciu żądania. Uwaga: Wiadomość nie będzie wysłana przez sieć ION.
+
+
+ RECEIVE
+ OTRZYMASZ
+
+
+ An optional message to attach to the payment request, which will be displayed when the request is opened.<br>Note: The message will not be sent with the payment over the ION network.
+ Opcjonalna wiadomość dołączana do żądania zapłaty, która zostanie wyświetlona po otwarciu żądania.<br>Uwaga: Wiadomość nie będzie wysłana przez sieć ION.
+
+
+ Use this form to request payments. All fields are <b>optional</b>.
+ Użyj tego formularza do żądania płatności. Wszystkie pola są<b>opcionalne</b>.
+
+
+ &Label:
+ &Etykieta
+
+
+ An optional amount to request. Leave this empty or zero to not request a specific amount.
+ Na opcjonalną kwotę do żądania. Pozostaw to pole puste lub zero, aby nie żądać określonej kwoty.
+
+
+ &Request payment
+ &Poproś o zapłatę
+
+
+ Clear all fields of the form.
+ Wyczyść wszystkie pola formularza.
+
+
+ Clear
+ Wyczyść
+
+
+ Receiving Addresses
+ Adresy odbiorcze
+
+
+ Requested payments history
+ Żądanie Historii płatności
+
+
+ Show the selected request (does the same as double clicking an entry)
+ Pokaż wybrane (robi to samo, co podwójne kliknięcie na wpis)
+
+
+ Show
+ Pokaż
+
+
+ Remove the selected entries from the list
+ Usuń wybrane pozycje z listy
+
+
+ Remove
+ Usuń
+
+
+ Copy label
+ Kopiuj zakładkę
+
+
+ Copy message
+ Skopiuj wiadomość
+
+
+ Copy amount
+ Kopiuj liczbę
+
+
+ Copy address
+ Kopiuj adres
+
+
+
+ ReceiveRequestDialog
+
+ QR Code
+ Kod QR
+
+
+ Copy &URI
+ Kopiuj &URI
+
+
+ Copy &Address
+ Kopiuj &Address
+
+
+ &Save Image...
+ &Zapisz obrazek
+
+
+ Request payment to %1
+ Poproś o płatność do %1
+
+
+ Payment information
+ Informacje dotyczące płatności
+
+
+ URI
+ URI
+
+
+ Address
+ Adres
+
+
+ Amount
+ Ilość
+
+
+ Label
+ Etykieta
+
+
+ Message
+ Wiadomość
+
+
+ Resulting URI too long, try to reduce the text for label / message.
+ Identyfikator URI jest zbyt długi, spróbuj skrucić tekst etykiety / wiadomości.
+
+
+ Error encoding URI into QR Code.
+ Błąd podczas kodowania URI do kodu QR.
+
+
+
+ RecentRequestsTableModel
+
+ Date
+ Data
+
+
+ Label
+ Etykieta
+
+
+ Message
+ Wiadomość
+
+
+ Address
+ Adres
+
+
+ Amount
+ Ilość
+
+
+ (no label)
+ (brak etykiety)
+
+
+ (no message)
+ (brak wiadomości)
+
+
+ (no amount)
+ (bez kwoty)
+
+
+
+ SendCoinsDialog
+
+ Send Coins
+ Wyślij monety
+
+
+ SEND
+ Wyślij
+
+
+ Coin Control Features
+ Funkcje kontroli monet
+
+
+ Insufficient funds!
+ Niewystarczające środki!
+
+
+ Quantity:
+ Ilość:
+
+
+ Bytes:
+ Bajty:
+
+
+ Amount:
+ Ilość:
+
+
+ Priority:
+ Priorytet:
+
+
+ medium
+ średni
+
+
+ Fee:
+ Opłata:
+
+
+ Dust:
+ Pył:
+
+
+ no
+ nie
+
+
+ After Fee:
+ Po opłacie:
+
+
+ Change:
+ Reszta:
+
+
+ If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
+ Jeśli jest aktywowany, ale adres reszty jest pusty lub nieprawidłowy, reszta zostanie wysłana na nowo wygenerowany adres.
+
+
+ Custom change address
+ Standardowy adres reszty
+
+
+ Split UTXO
+ Podziel UTXO
+
+
+ # of outputs
+ # wyjść
+
+
+ UTXO Size:
+ Rozmiar UTXO:
+
+
+ 0 ION
+ 0 ION
+
+
+ SwiftX technology allows for near instant transactions - A flat fee of 0.01 ION applies
+ Technologia SwiftX umożliwia dokonywanie transakcji zbliżonych do błyskawicznych - obowiązuje opłata ryczałtowa w wysokości 0,01 ION
+
+
+ Transaction Fee:
+ Opłata transakcyjna:
+
+
+ Choose...
+ Wybierz ...
+
+
+ collapse fee-settings
+ zawalone ustawienia opłat
+
+
+ Minimize
+ Zminimalizuj
+
+
+ per kilobyte
+ za kilobajt
+
+
+ total at least
+ w sumie na końcu
+
+
+ (read the tooltip)
+ (przeczytaj wskazówkę)
+
+
+ Custom:
+ Zwyczaj:
+
+
+ (Smart fee not initialized yet. This usually takes a few blocks...)
+ (Opłata inteligentna nie została jeszcze zainicjowana, zazwyczaj zajmuje to kilka bloków ...)
+
+
+ SwiftX
+ SwiftX
+
+
+ Confirmation time:
+ Czas potwierdzenia:
+
+
+ Open Coin Control...
+ Otwórz kontrolę monet ...
+
+
+ Coins automatically selected
+ Monety automatycznie wybrane
+
+
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+ Jeśli opłata trasakcyjna jest ustawiona na 1000 uION i transakcja ma tylko 250 bajtów, to płaci się tylko 250 uION,<br /> W przypadku transakcji większych niż kilobajt płacisz za kilobajta.
+
+
+ If the custom fee is set to 1000 uIONs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 uIONs in fee,<br />while "total at least" pays 1000 uIONs. For transactions bigger than a kilobyte both pay by kilobyte.
+ Jeśli opłata trasakcyjna jest ustawiona na 1000 uION i transakcja ma tylko 250 bajtów, to płaci się tylko 250 uION, <br /> W przypadku transakcji większych niż kilobajt płacisz za kilobajta.
+
+
+ Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks.<br />But be aware that this can end up in a never confirming transaction once there is more demand for ION transactions than the network can process.
+ Płacenie tylko minimalnej opłaty jest w porządku, o ile w blokach jest mniejsza ilość transakcji niż miejsca<br />Ale pamiętaj, że może to skończyć się niepotwierdzoną transakcją, gdy pojawi się większe ruch niż sieć może przetworzyć.
+
+
+ normal
+ normalnie
+
+
+ fast
+ szybko
+
+
+ Recommended
+ Zalecane
+
+
+ Send as zero-fee transaction if possible
+ Wyślij jako transakcję bez opłat, jeśli to możliwe
+
+
+ (confirmation may take longer)
+ (potwierdzenie może trwać dłużej)
+
+
+ Confirm the send action
+ Potwierdź akcję wysyłania
+
+
+ S&end
+ &Wyślij
+
+
+ Clear all fields of the form.
+ Wyczyść wszystkie pola formularza.
+
+
+ Clear &All
+ Wyczyść &Wszystko
+
+
+ Send to multiple recipients at once
+ Wysyłaj do wielu odbiorców naraz
+
+
+ Add &Recipient
+ Dodaj odbiorcę
+
+
+ Anonymized ION
+ Anonimowy ION
+
+
+ Balance:
+ Saldo
+
+
+ Copy quantity
+ Kopiuj ilość
+
+
+ Copy amount
+ Kopiuj liczbę
+
+
+ Copy fee
+ Kopiuj opłatę
+
+
+ Copy after fee
+ Kopiuj po opłacie
+
+
+ Copy bytes
+ Skopiuj bajty
+
+
+ Copy priority
+ Kopiuj priorytet
+
+
+ Copy dust
+ Kopiuj Pył
+
+
+ Copy change
+ Kopiuj resztę
+
+
+ The split block tool does not work when sending to outside addresses. Try again.
+ Narzędzie podzielonego bloku nie działa podczas wysyłania na adresy zewnętrzne. Spróbuj ponownie.
+
+
+ The split block tool does not work with multiple addresses. Try again.
+ Narzędzie podzielonego bloku nie działa z wieloma adresami. Spróbuj ponownie.
+
+
+ Warning: Invalid ION address
+ Ostrzeżenie: Nieprawidłowy adres ION
+
+
+ %1 to %2
+ %1 do %2
+
+
+ Are you sure you want to send?
+ Czy na pewno chcesz wysłać?
+
+
+ are added as transaction fee
+ są dodawane jako opłata transakcyjna
+
+
+ Total Amount = <b>%1</b><br />= %2
+ Suma ogółem = <b>%1</b><br />= %2
+
+
+ Confirm send coins
+ Potwierdź wysyłanie monet
+
+
+ A fee %1 times higher than %2 per kB is considered an insanely high fee.
+ Opłata %1 razy wyższa niż %2 za kB jest uważana za niesamowicie wysoką opłatę.
+
+
+ Estimated to begin confirmation within %n block(s).
+ Szacowany początek potwierdzenia za %n blok.Szacowany początek potwierdzenia za %n bloków.Szacowany początek potwierdzenia za %n bloków.Szacowany początek potwierdzenia za %n bloków.
+
+
+ The recipient address is not valid, please recheck.
+ Adres odbiorcy jest nieprawidłowy, proszę ponownie sprawdzić.
+
+
+ using SwiftX
+ użyj SwiftX
+
+
+ split into %1 outputs using the UTXO splitter.
+ podzielić na %1 wyjścia za pomocą rozdzielacza UTXO.
+
+
+ <b>(%1 of %2 entries displayed)</b>
+ <b>(Wyświetlono %1 z %2 wpisów)</b>
+
+
+ The amount to pay must be larger than 0.
+ Kwota do zapłaty musi być większa niż 0.
+
+
+ The amount exceeds your balance.
+ Kwota przekracza saldo.
+
+
+ The total exceeds your balance when the %1 transaction fee is included.
+ Suma przekracza saldo po uwzględnieniu opłaty transakcyjnej %1.
+
+
+ Duplicate address found, can only send to each address once per send operation.
+ Znaleziono zduplikowany adres, można wysłać tylko do każdego adresu raz na operację wysyłania.
+
+
+ Transaction creation failed!
+ Tworzenie transakcji nie powiodło się!
+
+
+ The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here.
+ Transakcja została odrzucona! Może się tak zdarzyć, jeśli część monet w portfelu już została wydana, na przykład jeśli użyto kopii pliku wallet.dat, a monety zostały wydane w kopii, ale nie zostały oznaczone jako wydane.
+
+
+ Error: The wallet was unlocked only to anonymize coins.
+ Błąd: portfel został odblokowany tylko w celu anonimizacji monet.
+
+
+ Error: The wallet was unlocked only to anonymize coins. Unlock canceled.
+ Błąd: portfel został odblokowany tylko w celu anonimizacji monet. Odblokownie anulowanie.
+
+
+ Pay only the minimum fee of %1
+ Płać tylko minimalną opłatę w wysokości %1
+
+
+ Estimated to get 6 confirmations near instantly with <b>SwiftX</b>!
+ Szacuje się, że od razu otrzymasz 6 potwierdzeń<b>SwiftX</b>!
+
+
+ Warning: Unknown change address
+ Ostrzeżenie: nieznany adres reszty
+
+
+ (no label)
+ (brak etykiety)
+
+
+
+ SendCoinsEntry
+
+ This is a normal payment.
+ To jest normalna płatność.
+
+
+ Pay &To:
+ &Zapłać
+
+
+ The ION address to send the payment to
+ Adres ION do wysłania płatności do
+
+
+ Choose previously used address
+ Wybierz poprzednio używany adres
+
+
+ Alt+A
+ Alt+A
+
+
+ Paste address from clipboard
+ Wklej adres ze schowka
+
+
+ Alt+P
+ Alt+P
+
+
+ Remove this entry
+ Usuń ten wpis
+
+
+ &Label:
+ &Etykieta
+
+
+ Enter a label for this address to add it to the list of used addresses
+ Wprowadź etykietę dla tego adresu, aby dodać ją do listy używanych adresów
+
+
+ A&mount:
+ &Ilość:
+
+
+ Message:
+ Wiadomość:
+
+
+ A message that was attached to the ION: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the ION network.
+ Komunikat dołączony do identyfikatora ION: URI, który będzie przechowywany wraz z transakcją w celach informacyjnych. Uwaga: ten komunikat nie zostanie wysłany przez sieć ION.
+
+
+ This is an unverified payment request.
+ Jest to niezweryfikowane żądanie zapłaty.
+
+
+ Pay To:
+ Zapłć:
+
+
+ Memo:
+ Notatka:
+
+
+ This is a verified payment request.
+ Jest to zweryfikowane żądanie zapłaty.
+
+
+ Enter a label for this address to add it to your address book
+ Wpisz etykietę dla tego adresu, aby dodać ją do swojej książki adresowej
+
+
+
+ ShutdownWindow
+
+ ION Core is shutting down...
+ ION Core się wyłącza ...
+
+
+ Do not shut down the computer until this window disappears.
+ Nie wyłączaj komputera, dopóki to okno nie zniknie.
+
+
+
+ SignVerifyMessageDialog
+
+ Signatures - Sign / Verify a Message
+ Podpisy - Podpisz / Zweryfikuj wiadomość
+
+
+ &Sign Message
+ &Podpisz wiadomość
+
+
+ You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to.
+ Możesz podpisywać wiadomości ze swoimi adresami, aby udowodnić, że je posiadasz. Uważaj, aby nie podpisać niczego niejasnego, ponieważ ataki phishingowe mogą skłonić Cię do podpisania Twojej tożsamości. Podawaj tylko w pełni szczegółowe oświadczenia, na które wyrażasz zgodę.
+
+
+ The ION address to sign the message with
+ Adres ION do podpisania wiadomości za pomocą
+
+
+ Choose previously used address
+ Wybierz poprzednio używany adres
+
+
+ Alt+A
+ Alt+A
+
+
+ Paste address from clipboard
+ Wklej adres ze schowka
+
+
+ Alt+P
+ Alt+P
+
+
+ Enter the message you want to sign here
+ Wpisz wiadomość, którą chcesz podpisać tutaj
+
+
+ Signature
+ Podpis
+
+
+ Copy the current signature to the system clipboard
+ Skopiuj bieżący podpis do schowka systemowego
+
+
+ Sign the message to prove you own this ION address
+ Zatwierdź wiadomość, aby udowodnić, że podany adres ION jest w twoim posiadaniu
+
+
+ The ION address the message was signed with
+ Adres ION, z którym została podpisana wiadomość
+
+
+ Verify the message to ensure it was signed with the specified ION address
+ Sprawdź komunikat, aby upewnić się, że został podpisany podanym adresem ION
+
+
+ Sign &Message
+ Podpisz wiadomość
+
+
+ Reset all sign message fields
+ Zresetuj wszystkie znaki z pola wiadomości
+
+
+ Clear &All
+ Wyczyść &Wszystko
+
+
+ &Verify Message
+ &Zweryfikuj wiadomość
+
+
+ Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack.
+ Wprowadź adres podpisu, wiadomość (upewnij się, że dokładnie kopiujesz wiersze, spacje, tabulatory itp.) i podpisz poniżej, aby zweryfikować wiadomość. Uważaj, aby nie wprowadzić więcej w podpis niż w podpisanej wiadomości, aby uniknąć oszustwa przez atak typu "man-in-the-middle".
+
+
+ Verify &Message
+ &Zweryfikuj wiadomość
+
+
+ Reset all verify message fields
+ Resetuj wszystkie zweryfikowane pola tekstowe
+
+
+ Click "Sign Message" to generate signature
+ Kliknij "Podpisz wiadomość", aby wygenerować podpis
+
+
+ The entered address is invalid.
+ Podany adres jest nieprawidłowy
+
+
+ Please check the address and try again.
+ Proszę sprawdzić adres i spróbować ponownie
+
+
+ The entered address does not refer to a key.
+ Podany adres nie odnosi się do klucza
+
+
+ Wallet unlock was cancelled.
+ Odblokowywanie anulowanie
+
+
+ Private key for the entered address is not available.
+ Prywatny klucz do podanego adresu nie jest dostępny
+
+
+ Message signing failed.
+ Podpisywanie wiadomości nie powiodło się.
+
+
+ Message signed.
+ Wiadomość została podpisana.
+
+
+ The signature could not be decoded.
+ Podpis nie mógł zostać zdekodowany.
+
+
+ Please check the signature and try again.
+ Sprawdź podpis i spróbuj ponownie.
+
+
+ The signature did not match the message digest.
+ Podpis nie pasuje do skrótu wiadomości.
+
+
+ Message verification failed.
+ Weryfikacja wiadomości nieudana.
+
+
+ Message verified.
+ Wiadomość zweryfikowana.
+
+
+
+ SplashScreen
+
+ ION Core
+ ION Core
+
+
+ Version %1
+ Wersja %1
+
+
+ The Bitcoin Core developers
+ Twórcy Bitcoin Core
+
+
+ The Dash Core developers
+ Twórcy Dash Core
+
+
+ The ION Core developers
+ Twórcy ION Core
+
+
+ [testnet]
+ [testnet]
+
+
+
+ TrafficGraphWidget
+
+ KB/s
+ KB/s
+
+
+
+ TransactionDesc
+
+ Open for %n more block(s)
+ Otwórz dla %n kolejnego blokuOtwórz dla %n kolejnych blokówOtwórz dla %n kolejnych blokówOtwórz dla %n kolejnych bloków
+
+
+ Open until %1
+ Otwórz od %1
+
+
+ conflicted
+ sprzeczne
+
+
+ %1/offline
+ %1/offline
+
+
+ %1/unconfirmed
+ %1/ niepotwierdzone
+
+
+ %1 confirmations
+ %1 potwierdzeń
+
+
+ %1/offline (verified via SwiftX)
+ %1/offline (zweryfikowany przez SwiftX)
+
+
+ %1/confirmed (verified via SwiftX)
+ %1/potwierdzony (zweryfikowany przez SwiftX)
+
+
+ %1 confirmations (verified via SwiftX)
+ %1 potwierdzeń (zweryfikowane przez SwiftX)
+
+
+ %1/offline (SwiftX verification in progress - %2 of %3 signatures)
+ %1/offline (weryfikacja SwiftX w toku -%2 z %3 podpisów)
+
+
+ %1/confirmed (SwiftX verification in progress - %2 of %3 signatures )
+ %1/potwierdzony (weryfikacja SwiftX w toku -%2 z %3 podpisów)
+
+
+ %1 confirmations (SwiftX verification in progress - %2 of %3 signatures)
+ %1 potwierdzeń (weryfikacja SwiftX w toku -%2 z %3 podpisów)
+
+
+ %1/offline (SwiftX verification failed)
+ %1/offline (Weryfikacja SwiftX nie powiodła się)
+
+
+ %1/confirmed (SwiftX verification failed)
+ %1/potwierdzony (Weryfikacja SwiftX nie powiodła się)
+
+
+ Status
+ Status
+
+
+ , has not been successfully broadcast yet
+ , nie udało się jeszcze nadać
+
+
+ , broadcast through %n node(s)
+ , rozgłaszane przez %n węzeł, rozgłaszane przez %n węzłów, rozgłaszane przez %n węzłów, rozgłaszane przez %n węzłów
+
+
+ Date
+ Data
+
+
+ Source
+ Źródło
+
+
+ Generated
+ Wygenerowano
+
+
+ From
+ Z
+
+
+ unknown
+ nieznany
+
+
+ To
+ Do
+
+
+ own address
+ własny adres
+
+
+ watch-only
+ watch-only
+
+
+ label
+ etykieta
+
+
+ Credit
+ Kredyt
+
+
+ matures in %n more block(s)
+ dojrzewa po %n blokudojrzewa po %n blokachdojrzewa po %n blokachdojrzewa po %n blokach
+
+
+ not accepted
+ nie zaakceptowany
+
+
+ Debit
+ Debet
+
+
+ Total debit
+ Debet razem
+
+
+ Total credit
+ Całkowity kredyt
+
+
+ Transaction fee
+ Opłata transakcyjna
+
+
+ Net amount
+ Kwota netto
+
+
+ Message
+ Wiadomość
+
+
+ Comment
+ Komentarz
+
+
+ Transaction ID
+ Identyfikator transakcji
+
+
+ Output index
+ Indeks wyjściowy
+
+
+ Merchant
+ Kupiec
+
+
+ Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours.
+ Wygenerowane monety muszą dojrzeć %1 bloków, zanim mogą zostać wydane. Gdy wygenerowałeś ten blok, został on wysłany do sieci, żaby dodać go do łańcucha bloków. Jeśli nie uda się dodanie do łańcucha, jego stan zmieni się na "nie zaakceptowany" i nie będzie można go wydać. Może się to zdarzyć, gdy inny węzeł wygeneruje blok w tym samym czasie co ty.
+
+
+ Debug information
+ Debug informacje
+
+
+ Transaction
+ Transakcja
+
+
+ Inputs
+ Wejścia
+
+
+ Amount
+ Ilość
+
+
+ true
+ prawdziwe
+
+
+ false
+ fałszywe
+
+
+
+ TransactionDescDialog
+
+ Transaction details
+ Szczegóły transakcji
+
+
+ This pane shows a detailed description of the transaction
+ Ten panel pokazuje szczegółowy opis transakcji
+
+
+
+ TransactionTableModel
+
+ Date
+ Data
+
+
+ Type
+ Typ
+
+
+ Address
+ Adres
+
+
+ Open for %n more block(s)
+ Otwórz dla %n kolejnego blokuOtwórz dla %n kolejnych blokówOtwórz dla %n kolejnych blokówOtwórz dla %n kolejnych bloków
+
+
+ Open until %1
+ Otwórz od %1
+
+
+ Offline
+ Offline
+
+
+ Unconfirmed
+ Niepotwierdzone
+
+
+ Confirming (%1 of %2 recommended confirmations)
+ Potwierdzanie (%1 z %2 zalecanych potwierdzeń)
+
+
+ Confirmed (%1 confirmations)
+ Potwierdzone (%1 potwierdzeń)
+
+
+ Conflicted
+ kolidujące
+
+
+ Immature (%1 confirmations, will be available after %2)
+ Niedojrzałe (potwierdzenia %1, będą dostępne po %2)
+
+
+ This block was not received by any other nodes and will probably not be accepted!
+ Ten blok nie został odebrany przez żadne inne węzły i prawdopodobnie nie zostanie zaakceptowany!
+
+
+ Received with
+ Otrzymano z
+
+
+ Masternode Reward
+ Nagroda Masternode
+
+
+ Received from
+ Otrzymane od
+
+
+ Received via Obfuscation
+ Otrzymane przez Zamaskowanie
+
+
+ ION Stake
+ ION Stake
+
+
+ xION Stake
+ xION Stake
+
+
+ Obfuscation Denominate
+ Zamaskowanie Denominacja
+
+
+ Obfuscation Collateral Payment
+ Zamaskowanie Zabezpieczenie płatności
+
+
+ Obfuscation Make Collateral Inputs
+ Wprowadź zabezpieczenia Zaciemniania
+
+
+ Obfuscation Create Denominations
+ Zamaskowanie Utwórz denominacje
+
+
+ Converted ION to xION
+ przekonwertowany ION to xION
+
+
+ Spent xION
+ Wydaj xION
+
+
+ Received ION from xION
+ Otrzymano ION z xION
+
+
+ Minted Change as xION from xION Spend
+ Reszta Minted jako xION z Wysyłki xION
+
+
+ Converted xION to ION
+ przekonwertowany xION to ION
+
+
+ Anonymous (xION Transaction)
+ Anonimowa (transakcja xION)
+
+
+ Anonymous (xION Stake)
+ Anonimowy (xION Stake)
+
+
+ Sent to
+ Wyślij do
+
+
+ Orphan Block - Generated but not accepted. This does not impact your holdings.
+ Orphan Block - wygenerowany, ale nie akceptowany. To nie ma wpływu na twoje saldo.
+
+
+ Payment to yourself
+ Zapłata dla siebie
+
+
+ Mined
+ wydobyty
+
+
+ Obfuscated
+ Zamaskowane
+
+
+ watch-only
+ watch-only
+
+
+ (n/a)
+ (nie dotyczy)
+
+
+ Transaction status. Hover over this field to show number of confirmations.
+ Status transakcji. Najedź kursorem na to pole, aby wyświetlić liczbę potwierdzeń.
+
+
+ Date and time that the transaction was received.
+ Data i godzina otrzymania transakcji.
+
+
+ Type of transaction.
+ Rodzaj transakcji.
+
+
+ Whether or not a watch-only address is involved in this transaction.
+ Niezależnie od tego, czy w transakcji bierze udział adres typu watch-only.
+
+
+ Destination address of transaction.
+ Adres docelowy transakcji.
+
+
+ Amount removed from or added to balance.
+ Kwota usunięta z salda lub dodana do salda.
+
+
+
+ TransactionView
+
+ All
+ Wszystko
+
+
+ Today
+ Dzisiaj
+
+
+ This week
+ W tym tygodniu
+
+
+ This month
+ W tym miesiącu
+
+
+ Last month
+ W poprzednim miesiącu
+
+
+ This year
+ W tym roku
+
+
+ Range...
+ Zasięg...
+
+
+ Most Common
+ Najbardziej powszechne
+
+
+ Received with
+ Otrzymano z
+
+
+ Sent to
+ Wyślij do
+
+
+ To yourself
+ Dla siebie
+
+
+ Mined
+ wydobyty
+
+
+ Minted
+ Wybite
+
+
+ Masternode Reward
+ Nagroda Masternode
+
+
+ Zerocoin Mint
+ Zerocoin Mint
+
+
+ Zerocoin Spend
+ Wydawanie Zerocoin
+
+
+ Zerocoin Spend to Self
+ Wydawanie Zerocoin na swój adres
+
+
+ Other
+ Inny
+
+
+ Enter address or label to search
+ Wprowadź adres lub etykietę do wyszukiwania
+
+
+ Min amount
+ Kwota minimum
+
+
+ Copy address
+ Kopiuj adres
+
+
+ Copy label
+ Kopiuj zakładkę
+
+
+ Copy amount
+ Kopiuj liczbę
+
+
+ Copy transaction ID
+ Kopiuj ID transakcji
+
+
+ Edit label
+ Edytuj etykietę
+
+
+ Show transaction details
+ Pokaż szczegóły transakcji
+
+
+ Hide orphan stakes
+ Ukryj osierocone stakes
+
+
+ Export Transaction History
+ Eksportuj historię transakcji
+
+
+ Comma separated file (*.csv)
+ Plik rozdzielony przecinkami (* .csv)
+
+
+ Confirmed
+ Potwierdzone
+
+
+ Watch-only
+ Watch-only
+
+
+ Date
+ Data
+
+
+ Type
+ Typ
+
+
+ Label
+ Etykieta
+
+
+ Address
+ Adres
+
+
+ ID
+ ID
+
+
+ Exporting Failed
+ Eksport nieudany
+
+
+ There was an error trying to save the transaction history to %1.
+ Wystąpił błąd podczas próby zapisania historii transakcji w %1.
+
+
+ Exporting Successful
+ Eksportowanie zakończyło się pomyślnie
+
+
+ Received ION from xION
+ Otrzymano ION z xION
+
+
+ Zerocoin Spend, Change in xION
+ Wydawanie Zerocoin, Zmień z xION
+
+
+ The transaction history was successfully saved to %1.
+ Historia transakcji została pomyślnie zapisana w %1.
+
+
+ Range:
+ Zasięg:
+
+
+ to
+ do
+
+
+
+ UnitDisplayStatusBarControl
+
+ Unit to show amounts in. Click to select another unit.
+ Jednostka do przedstawienia kwot. Kliknij, aby wybrać inną jednostkę.
+
+
+
+ WalletFrame
+
+ No wallet has been loaded.
+ Żaden portfel nie został załadowany.
+
+
+
+ WalletModel
+
+ Send Coins
+ Wyślij monety
+
+
+ SwiftX doesn't support sending values that high yet. Transactions are currently limited to %1 ION.
+ SwiftX nie obsługuje wysyłania wysokich wartości. Transakcje są obecnie ograniczone do %1 ION.
+
+
+
+ WalletView
+
+ HISTORY
+ HISTORIA
+
+
+ &Export
+ &Eksportuj
+
+
+ Export the data in the current tab to a file
+ Wyeksportuj dane z bieżącej karty do pliku
+
+
+ Selected amount:
+ Wybrana kwota :
+
+
+ Backup Wallet
+ Kopia zapasowa portfela
+
+
+ Wallet Data (*.dat)
+ Wallet Data (*.dat)
+
+
+
+ XIonControlDialog
+
+ Select xION to Spend
+ Wybierz xION do wydania
+
+
+ Quantity
+ Ilość
+
+
+ 0
+ 0
+
+
+ xION
+ xION
+
+
+ Select/Deselect All
+ Wybierz / Odznacz wszystko
+
+
+ Spendable?
+ Do wydania?
+
+
+
+ ion-core
+
+ (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data)
+ (1 = zachowaj tx meta dane np. Właściciel konta i informacje o żądaniu płatności, 2 = porzuć tx meta dane)
+
+
+ Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times
+ Zezwalaj na połączenia JSON-RPC z określonego źródła. Ważny dla <ip> są pojedynczym IP (na przykład 1.2.3.4), siecią / maską sieci (np. 1.2.3.4/255.255.255.0) lub siecią / CIDR (na przykład 1.2.3.4/24). Ta opcja może być określona wiele razy
+
+
+ Bind to given address and always listen on it. Use [host]:port notation for IPv6
+ Zwiąż się z podanym adresem i zawsze go słuchaj. Użyj [host]:port dla IPv6
+
+
+ Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6
+ Powiąż z podanym adresem i połączeniami whitelist. Użyj [host]:port dla IPv6
+
+
+ Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces)
+ Powiąż z podanym adresem, aby odsłuchać połączenia JSON-RPC. Użyj [host]:port dla IPv6. Ta opcja może być określona wiele razy (domyślnie: powiązanie ze wszystkimi interfejsami)
+
+
+ Calculated accumulator checkpoint is not what is recorded by block index
+ Obliczony punkt kontrolny akumulatora nie jest tym, co jest rejestrowane przez indeks bloku
+
+
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Nie można uzyskać dostępu do katalogu danych %s. ION Core prawdopodobnie już działa.
+
+
+ Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
+ Zmień zachowanie automatycznego głosowania w budżecie finalizowanym. mode=auto: Głosuj tylko na dokładne sfinalizowane dopasowanie budżetu do mojego wygenerowanego budżetu. (ciąg, domyślny: auto)
+
+
+ Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u)
+ Limit bezpłatnych transakcji do <n>* 1000 bajtów na minutę (domyślnie:%u)
+
+
+ Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality)
+ Twórz nowe pliki z domyślnymi uprawnieniami systemowymi zamiast umask 077 (skuteczne tylko przy wyłączonej funkcji portfela)
+
+
+ Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup
+ Usuń wszystkie transakcje portfela i odzyskaj tylko część łańcucha blokowego -reskan przy uruchomieniu
+
+
+ Delete all zerocoin spends and mints that have been recorded to the blockchain database and reindex them (0-1, default: %u)
+ Usuń wszystkie wydane zerocoin i mint, które zostały zapisane w bazie danych blockchain i ponownie je zindeksuj (0-1, domyślnie: %u)
+
+
+ Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>.
+ Dystrybuowane w ramach licencji oprogramowania MIT, patrz plik towarzyszący COPYING lub <http://www.opensource.org/licenses/mit-license.php>.
+
+
+ Enable automatic Zerocoin minting from specific addresses (0-1, default: %u)
+ Włącz automatyczne wybijanie Zerocoin z określonych adresów (0-1, domyślnie:%u)
+
+
+ Enable automatic wallet backups triggered after each xION minting (0-1, default: %u)
+ Włącz automatyczne kopie zapasowe portfela uruchamiane po każdym mintingu xION (0-1, domyślnie: %u)
+
+
+ Enable or disable staking functionality for ION inputs (0-1, default: %u)
+ Włączanie lub wyłączanie funkcji stake dla przychodzących ION (0-1, domyślnie:%u)
+
+
+ Enable or disable staking functionality for xION inputs (0-1, default: %u)
+ Włączanie lub wyłączanie funkcji staking dla nowych xION (0-1, domyślnie: %u)
+
+
+ Enable spork administration functionality with the appropriate private key.
+ Włącz funkcję zarządzania sporkami za pomocą odpowiedniego klucza prywatnego.
+
+
+ Enter regression test mode, which uses a special chain in which blocks can be solved instantly.
+ Wejdź w tryb testu regresyjnego, który wykorzystuje specjalny łańcuch, w którym bloki można natychmiast rozwiązać.
+
+
+ Error: Listening for incoming connections failed (listen returned error %s)
+ Błąd: Odsłuchiwanie przychodzących połączeń nie powiodło się (zwrócony błąd %s)
+
+
+ Error: The transaction is larger than the maximum allowed transaction size!
+ Błąd: transakcja jest większa niż maksymalny dozwolony rozmiar transakcji!
+
+
+ Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported.
+ Błąd: Znaleziono nieobsługiwany argument -socks. Ustawienie wersji SOCKS nie jest już możliwe, obsługiwane są tylko serwery proxy SOCKS5.
+
+
+ Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message)
+ Wykonaj polecenie, gdy otrzymasz odpowiednie powiadomienie lub zobaczysz naprawdę długi fork ( %s w cmd zostanie zastąpiony przez komunikat)
+
+
+ Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)
+ Wykonaj polecenie, gdy zmieni się transakcja ( %s w cmd jest zastąpione przez TxID)
+
+
+ Execute command when the best block changes (%s in cmd is replaced by block hash)
+ Wykonaj polecenie, gdy najlepszy blok zostanie zmieniony ( %s w cmd zostanie zastąpione hash blokiem)
+
+
+ Fees (in ION/Kb) smaller than this are considered zero fee for relaying (default: %s)
+ Opłaty za przekazywanie (w ION/Kb) mniejsze od tej są uznawane za opłaty zerowe (domyślnie: %s)
+
+
+ Fees (in ION/Kb) smaller than this are considered zero fee for transaction creation (default: %s)
+ Opłaty za tworzenie transakcji (w ION/Kb) mniejsze od tej są uznawane za opłaty zerowe (domyślnie: %s)
+
+
+ Flush database activity from memory pool to disk log every <n> megabytes (default: %u)
+ Opróżniaj dziennik z pamięci dysku co <n> megabajtów (domyślnie:%u)
+
+
+ Found unconfirmed denominated outputs, will wait till they confirm to continue.
+ Znaleziono niepotwierdzone wyniki, czekam na potwierdzenie żeby kontynuować.
+
+
+ If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u)
+ Jeśli paytxfee nie jest ustawiony, należy ustawić odpowiednią opłatę, aby transakcje zaczęły potwierdzać średnio w n blokach (domyślnie:%u)
+
+
+ In this mode -genproclimit controls how many blocks are generated immediately.
+ W tym trybie -genproclimit kontroluje, ile bloków jest generowanych natychmiast.
+
+
+ Insufficient or insufficient confirmed funds, you might need to wait a few minutes and try again.
+ Niewystarczające lub niewystarczająco potwierdzone fundusze, może trzeba poczekać kilka minut i spróbować ponownie.
+
+
+ Keep the specified amount available for spending at all times (default: 0)
+ Zawsze utrzymuj określoną kwotę przeznaczoną na wydatki (domyślnie: 0)
+
+
+ Log transaction priority and fee per kB when mining blocks (default: %u)
+ Loguj priorytet transakcji i opłatę za kB, gdy kopiesz bloki (domyślnie:%u)
+
+
+ Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)
+ Utrzymuj pełny indeks transakcji, używany przez wywołanie getrawtransaction rpc (domyślnie:%u)
+
+
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Nie można podłączyć %s na tym komputerze. ION Core prawdopodobnie już działa.
+
+
+ Unable to locate enough Obfuscation denominated funds for this transaction.
+ Nie można znaleźć wystarczającej liczby funduszy ukrytych dla tej transakcji.
+
+
+ (12700 could be used only on mainnet)
+ (12700 może być używany tylko w sieci mainnet)
+
+
+ (default: %s)
+ (domyślnie: %s)
+
+
+ (default: 1)
+ (domyślnie: 1)
+
+
+ (must be 12700 for mainnet)
+ (musi być 12700 dla mainnetu)
+
+
+ Accept command line and JSON-RPC commands
+ Zaakceptuj polecenia linii poleceń i JSON-RPC
+
+
+ Already have that input.
+ Masz już to wejście.
+
+
+ Block creation options:
+ Opcje tworzenia bloku:
+
+
+ Calculating missing accumulators...
+ Obliczanie brakujących akumulatorów ...
+
+
+ Can't find random Masternode.
+ Nie można znaleźć losowego masternodu.
+
+
+ Can't mix while sync in progress.
+ Nie można mieszać w trakcie synchronizacji.
+
+
+ Cannot downgrade wallet
+ Nie można cofnąć wersji portfela
+
+
+ Cannot write default address
+ Nie można zapisać adresu domyślnego
+
+
+ Collateral not valid.
+ Zabezpieczenie jest nie ważne.
+
+
+ Connect only to the specified node(s)
+ Połącz tylko z określonym węzłem (węzłami)
+
+
+ Connect through SOCKS5 proxy
+ Połącz przez serwer proxy SOCKS5
+
+
+ Connection options:
+ Opcje połączenia:
+
+
+ Copyright (C) 2009-%i The Bitcoin Core Developers
+ Copyright (C) 2009-%i The Bitcoin Core Developers
+
+
+ Copyright (C) 2014-%i The Dash Core Developers
+ Copyright (C) 2014-%i The Dash Core Developers
+
+
+ Copyright (C) 2015-%i The PIVX Core Developers
+ Copyright (C) 2015-%i The PIVX Core Developers
+
+
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+
+
+ Corrupted block database detected
+ Wykryto uszkodzoną bazę danych bloków
+
+
+ Could not parse masternode.conf
+ Nie można przetworzyć pliku masternode.conf
+
+
+ Debugging/Testing options:
+ Opcje debugowania/testowania:
+
+
+ Delete blockchain folders and resync from scratch
+ Usuń foldery blockchain i zsynchronizuj ponownie od podstaw
+
+
+ Do you want to rebuild the block database now?
+ Czy chcesz teraz odbudować block database danych?
+
+
+ Done loading
+ Ładowanie ukończone
+
+
+ Enable automatic Zerocoin minting (0-1, default: %u)
+ Włącz automatyczne Zerocoin minting (0-100, domyślnie: %u)
+
+
+ Entries are full.
+ Wpisy są pełne.
+
+
+ Error connecting to Masternode.
+ Błąd połączenia z Masternode.
+
+
+ Error initializing block database
+ Błąd podczas inicjowania block database
+
+
+ Error initializing wallet database environment %s!
+ Błąd podczas inicjowania środowiska bazy danych portfela %s!
+
+
+ Error loading block database
+ Błąd podczas ładowania block database
+
+
+ Error loading wallet.dat
+ Wystąpił błąd podczas ładowania pliku wallet.dat
+
+
+ Error loading wallet.dat: Wallet corrupted
+ Wystąpił błąd podczas ładowania pliku wallet.dat: Portfel uszkodzony
+
+
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Błąd ładowania pliku wallet.dat: Portfel wymaga nowszej wersji ION Core
+
+
+ Error opening block database
+ Błąd podczas otwierania block database
+
+
+ Error reading from database, shutting down.
+ Błąd odczytu z bazy danych, wyłączenie.
+
+
+ Error recovering public key.
+ Podczas odzyskiwania klucza publicznego wystąpił błąd.
+
+
+ Error writing zerocoinDB to disk
+ Błąd podczas zapisywania zerocoinDB na dysku
+
+
+ Error
+ Błąd
+
+
+ Error: Can't select current denominated inputs
+ Błąd: nie można wybrać takich jednostek
+
+
+ Error: Disk space is low!
+ Błąd: Mało miejsca na dysku!
+
+
+ Error: Wallet locked, unable to create transaction!
+ Błąd: Portfel zablokowany, nie można utworzyć transakcji!
+
+
+ Failed to calculate accumulator checkpoint
+ Nie można obliczyć punktu kontrolnego akumulatora
+
+
+ Failed to parse host:port string
+ Nie można przeanalizować host:port string
+
+
+ Failed to read block
+ Nie można odczytać bloku
+
+
+ Fee (in ION/kB) to add to transactions you send (default: %s)
+ Opłata (w ION/kB) dodawana do wysyłanych transakcji (domyślnie: %s)
+
+
+ Finalizing transaction.
+ Finalizowanie transakcji.
+
+
+ Force safe mode (default: %u)
+ Wymuś tryb bezpieczny (domyślnie: %u)
+
+
+ Found enough users, signing ( waiting %s )
+ Znaleziono wystarczającą liczbę użytkowników, podpisanie (czekanie %s)
+
+
+ Found enough users, signing ...
+ Znaleziono wystarczającą liczbę użytkowników, podpisywanie ...
+
+
+ Generate coins (default: %u)
+ Wygeneruj monety (domyślnie: %u)
- N/A
- N/A
+ Importing...
+ Importuję ...
- Number of connections
- Liczba połączeń
+ Incompatible mode.
+ Tryb niezgodny.
- &Open
- &Otwórz
+ Incompatible version.
+ Niezgodna wersja.
- Startup time
- Czas startupu
+ Information
+ Informacje
- Network
- Sieć
+ Input is not valid.
+ Dane wejściowe nie są prawidłowe.
- Last block time
- Czas ostatniego bloku
+ Insufficient funds
+ Niewystarczające środki
- Debug log file
- Debuguj plik log
+ Insufficient funds.
+ Niewystarczające środki.
- Using OpenSSL version
- Używanie wersji OpenSSL
+ Invalid amount
+ nieprawidłowa kwota
- Build date
- Data zbudowania
+ Invalid private key.
+ Nieprawidłowy klucz prywatny.
- Current number of blocks
- Bieżąca liczba bloków
+ Invalid script detected.
+ Wykryto niepoprawny skrypt.
- Client version
- Wersja clienta
+ Percentage of automatically minted Zerocoin (1-100, default: %u)
+ Odsetek automatycznych minted Zerocoin (1-100, domyślnie: %u)
- Using BerkeleyDB version
- Używanie wersji BerkeleyDB
+ Reindexing zerocoin database...
+ Ponowne indeksowanie bazy danych zerocoin ...
- Block chain
- Łańcuch bloków
+ Reindexing zerocoin failed
+ Ponowne indeksowanie zerocoin nie powiodło się
- Number of Masternodes
- Liczba Masternode
+ SwiftX options:
+ Opcje SwiftX:
- &Console
- &Konsola
+ mints deleted
+
+ mints usunięte
+
- Clear console
- Wyczyść konsolę
+ mints updated,
+ zaktualizowano mints,
- &Network Traffic
- &Ruch sieci
+ unconfirmed transactions removed
+
+ niepotwierdzone transakcje zostały usunięte
+
- &Clear
- &Wyczyść&
+ Disable all ION specific functionality (Masternodes, Zerocoin, SwiftX, Budgeting) (0-1, default: %u)
+ Wyłącz wszystkie funkcje specyficzne dla ION (Masternodes, Zerocoin, SwiftX, Budgeting) (0-1, domyślnie: %u)
- Totals
- Razem
+ Enable SwiftX, show confirmations for locked transactions (bool, default: %s)
+ Włącz SwiftX, pokaż potwierdzenia zablokowanych transakcji (bool, domyślnie: %s)
- Received
- Otrzymano
+ Specify custom backup path to add a copy of any automatic xION backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup. If backuppath is set as well, 4 backups will happen
+ Określ standardową ścieżkę kopii zapasowej, aby dodać kopię automatycznej kopii zapasowej xION. Jeśli ustawione jako katalog, każda kopia zapasowa generuje plik z sygnaturą czasową. Jeśli ustawione jako plik, będzie przepisywać do tego pliku każdą kopię zapasową. Jeśli ustawiona jest również ścieżka tworzenia kopii zapasowych, zostaną utworzone 4 kopie zapasowe
- Sent
- Wysłano
+ <category> can be:
+ <category>może być:
- &Peers
- &Peers
+ Display the stake modifier calculations in the debug.log file.
+ Wyświetl obliczenia modyfikatora stake w pliku debug.log.
- Select a peer to view detailed information.
- Wybierz peer by zobaczyć szczegółowe informacje
+ Display verbose coin stake messages in the debug.log file.
+ Wyświetlaj szczegółowe komunikaty o staking w pliku debug.log.
- Direction
- Kierunek
+ Enable publish hash block in <address>
+ Włącz publiczny hash block w <address>
- Protocol
- Protokół
+ Enable publish hash transaction in <address>
+ Włącz publish hash transaction w <address>
- Version
- Wersja
+ Enable publish raw block in <address>
+ Włącz publish raw block w <address>
- Services
- Usługi
+ Enable publish raw transaction in <address>
+ Włącz publish raw transaction w <address>
- Connection Time
- Czas połączenia
+ Error: No valid utxo!
+ Błąd: brak prawidłowego utxo!
- Last Send
- OStatnio wysłano
+ Failed to create mint
+ Nie udało się utworzyć mint
- Last Receive
- Ostatnio otrzymano
+ Failed to find Zerocoins in wallet.dat
+ Nie można znaleźć Zerocoins w pliku wallet.dat
- Bytes Sent
- Bajty wysłane
+ Failed to select a zerocoin
+ Nie udało się wybrać zerocoin
- Bytes Received
- Bajty otrzymane
+ Line: %d
+ Linia: %d
- Ping Time
- Czas PinguCzas pingu
+ Loading addresses...
+ Ładowanie adresów ...
- &Wallet Repair
- &Napraw portfel
+ Loading block index...
+ Ładowanie indeksu bloków ...
- Salvage wallet
- Odzyskaj portfel
+ Loading budget cache...
+ Ładowanie cache budżetu ...
- Rescan blockchain files
- Reskanuj pliki łańcucha bloków
+ Loading sporks...
+ Ładowanie sporks ...
- Recover transactions 1
- Odzyskaj transakcji 1
+ Loading wallet... (%3.2f %%)
+ Ładowanie portfela ... (%3,2f %%)
- Recover transactions 2
- Odzyskaj transakcje 2
+ Loading wallet...
+ Ładowanie portfela ...
- Upgrade wallet format
- Ulepsz format portfela
+ Lock is already in place.
+ Blokada jest już na miejscu.
- Wallet repair options.
- Opcje naprawy portfela
+ Masternode options:
+ Opcje Masternode:
- %1 B
- %1 B
+ Masternode queue is full.
+ Kolejka Masternode jest pełna.
- %1 KB
- %1 KB
+ Masternode:
+ Masternode:
- %1 MB
- %1 MB
+ Mixing in progress...
+ Trwa miksowanie ...
- %1 GB
- %1 GB
+ No Masternodes detected.
+ Nie wykryto żadnych Masternodes.
- via %1
- przez %1
+ Number of automatic wallet backups (default: 10)
+ Liczba automatycznych kopii zapasowych portfela (domyślnie: 10)
- never
- nigdy
+ Obfuscation is idle.
+ Obfuscation jest bezczynne
- Inbound
- Przychodzące
+ Obfuscation request complete:
+ Obfuscation żądanie kompletne:
- Outbound
- Wychodzące
+ Obfuscation request incomplete:
+ Obfuscation żądanie niekompletne:
- Unknown
- Nieznane
+ Options:
+ Opcje:
-
-
- ReceiveCoinsDialog
- &Message:
- &Wiadomość:
+ Password for JSON-RPC connections
+ Hasło dla połączeń JSON-RPC
- Copy label
- Kopiuj zakładkę
+ Preparing for resync...
+ Przygotowanie do ponownej synchronizacji ...
- Copy amount
- Kopiuj liczbę
+ Print version and exit
+ Wydrukuj wersję i zakończ
-
-
- ReceiveRequestDialog
- &Save Image...
- &Zapisz obrazek
+ RPC server options:
+ Opcje serwera RPC:
- Address
- Adres
+ Rescanning...
+ Ponowne skanowanie ...
- Amount
- Liczba
+ Session not complete!
+ Sesja nie została ukończona!
- Label
- Zakładka
+ Session timed out.
+ Sesja skończyła się.
-
-
- RecentRequestsTableModel
- Date
- Data
+ Signing failed.
+ Logowanie nie powiodło się.
- Label
- Zakładka
+ Signing timed out.
+ Upłynął limit czasu logowania
- Amount
- Liczba
+ Signing transaction failed
+ Podpisanie transakcji nie powiodło się
- (no label)
- (brak zakładki)
+ Specify configuration file (default: %s)
+ Określ plik konfiguracyjny (domyślnie: %s)
-
-
- SendCoinsDialog
- Amount:
- Liczba:
+ Specify data directory
+ Określ katalog danych
- Priority:
- Priorytet:
+ Specify pid file (default: %s)
+ Określ plik pid (domyślnie: %s)
- medium
- średni
+ Specify wallet file (within data directory)
+ Określ plik portfela (w katalogu danych)
- Fee:
- Opłata:
+ Specify your own public address
+ Podaj swój własny adres publiczny
- no
- nie
+ Spend Valid
+ Spend Valid
- After Fee:
- Po opłacie:
+ Staking options:
+ Staking opcje:
- Change:
- Zmiana:
+ Synchronization failed
+ Synchronizacja nie powiodła się
- Clear &All
- Wyczyść &Wszystko
+ Synchronization finished
+ Synchronizacja zakończona
- Copy quantity
- Kopiuj ilość
+ Synchronization pending...
+ Trwa synchronizacja ...
- Copy amount
- Kopiuj liczbę
+ Synchronizing budgets...
+ Synchronizowanie budżetów ...
- Copy fee
- Kopiuj opłatę
+ Synchronizing masternode winners...
+ Synchronizowanie masternode winners...
- Copy after fee
- Kopiuj po opłacie
+ Synchronizing masternodes...
+ Synchronizowanie masternode...
- Copy priority
- Kopiuj priorytet
+ Synchronizing sporks...
+ Synchronizowanie sporks...
- Copy change
- Kopiuj zmianę
+ Syncing xION wallet...
+ Synchronizuję portfel xION ...
- (no label)
- (brak zakładki)
+ The coin spend has been used
+ Wykorzystano już monety
-
-
- SendCoinsEntry
- Choose previously used address
- Wybierz poprzednio używany adres
+ The transaction did not verify
+ Transakcja nie została zweryfikowana
- Alt+A
- Alt+A
+ This help message
+ Ten komunikat pomocy
- Paste address from clipboard
- Wklej adres ze schowka
+ This is experimental software.
+ To jest oprogramowanie eksperymentalne.
- Alt+P
- Alt+P
+ This is not a Masternode.
+ To nie jest Masternode.
-
-
- ShutdownWindow
-
-
- SignVerifyMessageDialog
- Choose previously used address
- Wybierz poprzednio używany adres
+ Too many spends needed
+ Zbyt wiele potrzebnych środków
- Alt+A
- Alt+A
+ Tor control port password (default: empty)
+ Hasło portu kontrolnego Tora (domyślnie: puste)
- Paste address from clipboard
- Wklej adres ze schowka
+ Transaction Created
+ Utworzono transakcję
- Alt+P
- Alt+P
+ Transaction Mint Started
+ Rozpoczęto transakcję Mint
- Sign the message to prove you own this ION address
- Zatwierdź wiadomość, aby udowodnić, że podany adres ION jest w twoim posiadaniu
+ Transaction amount too small
+ Kwota transakcji jest za mała
- Clear &All
- Wyczyść &Wszystko
+ Transaction amounts must be positive
+ Kwoty transakcji muszą być dodatnie
- Reset all verify message fields
- Resetuj wszystkie zweryfikowane pola tekstowe
+ Transaction created successfully.
+ Transakcja została pomyślnie utworzona.
- The entered address is invalid.
- Podany adres jest nieprawidłowy
+ Transaction fees are too high.
+ Opłaty za transakcje są zbyt wysokie.
- Please check the address and try again.
- Proszę sprawdzić adres i spróbować ponownie
+ Transaction not valid.
+ Transakcja nie jest ważna.
- The entered address does not refer to a key.
- Podany adres nie odnosi się do klucza
+ Transaction too large for fee policy
+ Transakcja zbyt duża dla zasad płatności
- Wallet unlock was cancelled.
- Odblokowywanie anulowanie
+ Transaction too large
+ Transakcja zbyt duża
- Private key for the entered address is not available.
- Prywatny klucz do podanego adresu nie jest dostępny
+ Transmitting final transaction.
+ Przesyłanie ostatecznej transakcji.
-
-
- SplashScreen
- Ion Core
- &Rdzeń ION
+ Upgrade wallet to latest format
+ Uaktualnij portfel do najnowszego formatu
-
-
- TrafficGraphWidget
-
-
- TransactionDesc
- Status
- Status
+ Use the test network
+ Użyj sieci testowej
- Date
- Data
+ Username for JSON-RPC connections
+ Nazwa użytkownika dla połączeń JSON-RPC
- Amount
- Liczba
+ Value is below the smallest available denomination (= 1) of xION
+ Wartość jest mniejsza od najmniejszej dostępnej (= 1) xION
-
-
- TransactionDescDialog
-
-
- TransactionTableModel
- Date
- Data
+ Verifying blocks...
+ Weryfikuję bloki ...
- Address
- Adres
+ Verifying wallet...
+ Weryfikuję portfel ...
-
-
- TransactionView
- Copy address
- Kopiuj adres
+ Wallet is locked.
+ Portfel jest zablokowany.
- Copy label
- Kopiuj zakładkę
+ Wallet needed to be rewritten: restart ION Core to complete
+ Portfel musiał zostać przepisany: zrestartuj ION Core, aby zakończyć
- Copy amount
- Kopiuj liczbę
+ Wallet options:
+ Opcje portfela:
- Copy transaction ID
- Kopiuj ID transakcji
+ Wallet window title
+ Tytuł okna portfela
- Confirmed
- Potwierdzone
+ Warning
+ Ostrzeżenie
- Date
- Data
+ Warning: This version is obsolete, upgrade required!
+ Ostrzeżenie: ta wersja jest przestarzała, wymagana jest aktualizacja!
- Label
- Zakładka
+ Will retry...
+ Spróbuję ponownie ...
- Address
- Adres
+ You don't have enough Zerocoins in your wallet
+ Nie masz wystarczającej liczby Zerocoins w swoim portfelu
- Exporting Failed
- Eksport nieudany
+ You need to rebuild the database using -reindex to change -txindex
+ Musisz przebudować bazę danych za pomocą -reindex, aby zmienić -txindeks
-
-
- UnitDisplayStatusBarControl
-
-
- WalletFrame
-
-
- WalletModel
-
-
- WalletView
- &Export
- Eksportuj
+ Your entries added successfully.
+ Twoje wpisy zostały dodane pomyślnie.
-
-
- XIonControlDialog
- 0
- 0
+ Your transaction was accepted into the pool!
+ Twoja transakcja została przyjęta do puli!
-
-
- ion-core
- Error
- Błąd
+ Zerocoin options:
+ Opcje Zerocoin:
- Information
- Informacje
+ on startup
+ na starcie
- Warning
- Ostrzeżenie
+ wallet.dat corrupt, salvage failed
+ wallet.dat uszkodzony, odzyskiwanie nie powiodło się
-
+
\ No newline at end of file
diff --git a/src/qt/locale/ion_pt.ts b/src/qt/locale/ion_pt.ts
index c1000b2a309f6..acf1003c07b41 100644
--- a/src/qt/locale/ion_pt.ts
+++ b/src/qt/locale/ion_pt.ts
@@ -396,6 +396,9 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
@@ -484,6 +487,9 @@
não
+
+ ProposalFrame
+
QObject
@@ -545,6 +551,10 @@
Label
Descrição
+
+ Address
+ Endereço
+
Amount
Quantidade
@@ -1250,8 +1260,8 @@
Carteira esta bloqueada.
- Wallet needed to be rewritten: restart Ion Core to complete
- Carteira precisa ser reescrita: reinicie o Ion Core para completar.
+ Wallet needed to be rewritten: restart ION Core to complete
+ Carteira precisa ser reescrita: reinicie o ION Core para completar.
Wallet options:
diff --git a/src/qt/locale/ion_pt_BR.ts b/src/qt/locale/ion_pt_BR.ts
index 6262fb748532c..10ec5ecf54a0a 100644
--- a/src/qt/locale/ion_pt_BR.ts
+++ b/src/qt/locale/ion_pt_BR.ts
@@ -613,8 +613,8 @@
Ferramentas de abas
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -637,12 +637,12 @@
Procurar masternodes
- &About Ion Core
- &Sobre o Ion Core
+ &About ION Core
+ &Sobre o ION Core
- Show information about Ion Core
- Mostra informação sobre o Ion Core
+ Show information about ION Core
+ Mostra informação sobre o ION Core
Modify configuration options for ION
@@ -697,11 +697,11 @@
Janela de exploração de blocos
- Show the Ion Core help message to get a list with possible ION command-line options
- Mostra a ajuda da Ion Core para receber uma lista com possíveis opções de linha de comando ION
+ Show the ION Core help message to get a list with possible ION command-line options
+ Mostra a ajuda da ION Core para receber uma lista com possíveis opções de linha de comando ION
- Ion Core client
+ ION Core client
Cliente Core ION
@@ -809,7 +809,7 @@ MultiSend: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
A carteira está <b>criptografada</b> e atualmente <b>travada</b>
-
+
BlockExplorer
@@ -1157,6 +1157,17 @@ MultiSend: %1
Não é possível criar informação de diretório aqui.
+
+ GovernancePage
+
+ Form
+ Formulário
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1164,16 +1175,16 @@ MultiSend: %1
versão
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
- Sobre o Ion Core
+ About ION Core
+ Sobre o ION Core
Command-line options
@@ -1215,16 +1226,16 @@ MultiSend: %1
Bem-vindo
- Welcome to Ion Core.
- Bem-vindo ao Ion Core.
+ Welcome to ION Core.
+ Bem-vindo ao ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Como essa é a primeira vez que o programa é utilizado, você pode escolher onde Ion Core vai armazenar os seus dados.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Como essa é a primeira vez que o programa é utilizado, você pode escolher onde ION Core vai armazenar os seus dados.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core vai baixar e armazenar uma cópia da blockchain ION. Pelo menos %1GB de informação será armazenado neste diretório e irá aumentar com o tempo. A carteira também será armazenada neste diretório.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core vai baixar e armazenar uma cópia da blockchain ION. Pelo menos %1GB de informação será armazenado neste diretório e irá aumentar com o tempo. A carteira também será armazenada neste diretório.
Use the default data directory
@@ -1235,8 +1246,8 @@ MultiSend: %1
Usar um diretório personalizado de dados:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1436,45 +1447,10 @@ MultiSend: %1
(no label)
(sem rótulo)
-
- The entered address:
-
- O endereço informado:
-
-
-
- is invalid.
-Please check the address and try again.
- é inválido.
-
-Favor verificar o endereço e tente novamente.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- A quantia total de seu vetor MultiSend é superior a 100% da recompensa de seu stake
-
-
Please Enter 1 - 100 for percent.
Favor inserir 1 - 100 para porcentagem.
-
- MultiSend Vector
-
- Vetor MultiSend
-
-
-
- Removed
- Removido
-
-
- Could not locate address
-
- Não foi possível localizar o endereço
-
-
MultisigDialog
@@ -1574,32 +1550,32 @@ Favor verificar o endereço e tente novamente.
Favor selecionar o nível de privacidade.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Use 2 masternodes separados para embaralhar fundos até 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Use 2 masternodes separados para embaralhar fundos até 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Use 8 masternodes separados para embaralhar fundos até 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Use 8 masternodes separados para embaralhar fundos até 20000 ION
Use 16 separate masternodes
Use 16 masternodes separados
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Está opção é a mais rápida e vai custar em torno de ~0.025 ION para anonimizar 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Está opção é a mais rápida e vai custar em torno de ~0.025 ION para anonimizar 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Está opção moderamente rápida e vai custar em torno de ~0.05 ION para anonimizar 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Está opção moderamente rápida e vai custar em torno de ~0.05 ION para anonimizar 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Esta é a opção mais lenta e mais segura. Usando a anonimização máxima vai custar
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION por 10000 ION que deixar anônima.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION por 20000 ION que deixar anônima.
Obfuscation Configuration
@@ -1985,14 +1961,6 @@ https://www.transifex.com/ioncoincore/ioncore
Available Balance:
Saldo disponível:
-
- Security Level:
- Nível de Segurança:
-
-
- Security Level 1 - 100 (default: 42)
- Nível de segurança 1 - 100 (padrão: 42)
-
Pay &To:
Pagar &Para:
@@ -2166,6 +2134,9 @@ https://www.transifex.com/ioncoincore/ioncore
taxa:
+
+ ProposalFrame
+
QObject
@@ -2212,7 +2183,11 @@ https://www.transifex.com/ioncoincore/ioncore
%1 ms
%1 ms
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
@@ -2438,10 +2413,6 @@ https://www.transifex.com/ioncoincore/ioncore
Do you want to continue?.<br />
Você deseja continuar?.<br />
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Utilize as teclas para cima ou baixo para navegar no histórico e <b>Ctrl-L</b> para limpar a tela.
-
%1 B
%1 B
@@ -2486,12 +2457,12 @@ https://www.transifex.com/ioncoincore/ioncore
Um rótulo opcional para associar a novos endereços de recebimento.
- &Label:
- &Rótulo:
+ A&mount:
+ Quantia:
- &Amount:
- &Quantidade:
+ &Label:
+ &Rótulo:
&Request payment
@@ -2537,6 +2508,10 @@ https://www.transifex.com/ioncoincore/ioncore
Copy amount
Copiar quantia
+
+ Copy address
+ Copiar endereço
+
ReceiveRequestDialog
@@ -2607,6 +2582,10 @@ https://www.transifex.com/ioncoincore/ioncore
Message
Mensagem
+
+ Address
+ Endereço
+
Amount
Quantidade
@@ -2969,8 +2948,8 @@ https://www.transifex.com/ioncoincore/ioncore
ShutdownWindow
- Ion Core is shutting down...
- Ion Core está desligando...
+ ION Core is shutting down...
+ ION Core está desligando...
Do not shut down the computer until this window disappears.
@@ -3111,8 +3090,8 @@ https://www.transifex.com/ioncoincore/ioncore
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -3127,8 +3106,8 @@ https://www.transifex.com/ioncoincore/ioncore
Os desenvolvedores do Dash Core
- The Ion Core developers
- Os desenvolvedores do Ion Core
+ The ION Core developers
+ Os desenvolvedores do ION Core
[testnet]
@@ -3696,8 +3675,8 @@ https://www.transifex.com/ioncoincore/ioncore
Define o tamanho máximo de transações de alta prioridade/taxa baixa em bytes (padrão: %d)
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Incapaz de localizar fundos para esta transação que não são iguais a 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Incapaz de localizar fundos para esta transação que não são iguais a 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -3712,7 +3691,7 @@ https://www.transifex.com/ioncoincore/ioncore
Aviso: -paytxfee está definido como muito alto! Está e a taxa de transação que você irá pagar se enviar uma transação.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
Aviso: Favor verificar se o horário e data de seu computador estão corretos! Se o seu relógio estiver errado o Core ION não vai funcionar corretamente.
@@ -3796,8 +3775,8 @@ https://www.transifex.com/ioncoincore/ioncore
Todos os direitos reservados (C) 2015-%i aos Desenvolvedores do PIVX Core
- Copyright (C) 2018-%i The Ion Core Developers
- Todos os direitos reservados (C) 2018-%i aos Desenvolvedores do Ion Core
+ Copyright (C) 2018-%i The ION Core Developers
+ Todos os direitos reservados (C) 2018-%i aos Desenvolvedores do ION Core
Corrupted block database detected
@@ -3856,8 +3835,8 @@ https://www.transifex.com/ioncoincore/ioncore
Erro no carregamento da wallet.dat: Carteira corrompida
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Erro ao carregar wallet.dat: A Carteira requer uma nova versão da Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Erro ao carregar wallet.dat: A Carteira requer uma nova versão da ION Core
Error opening block database
@@ -4054,8 +4033,8 @@ https://www.transifex.com/ioncoincore/ioncore
Carregando o cachê de pagamento do masternode...
- Loading wallet... (%3.1f %%)
- Carregando carteira... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Carregando carteira... (%3.2f %%)
Loading wallet...
@@ -4346,8 +4325,8 @@ https://www.transifex.com/ioncoincore/ioncore
Carteira está travada.
- Wallet needed to be rewritten: restart Ion Core to complete
- A carteira precisa ser reescrita: reinicia o Ion Core para completar
+ Wallet needed to be rewritten: restart ION Core to complete
+ A carteira precisa ser reescrita: reinicia o ION Core para completar
Wallet options:
diff --git a/src/qt/locale/ion_ro_RO.ts b/src/qt/locale/ion_ro_RO.ts
index 4e0cb47a1156d..a1b51cf2c5291 100644
--- a/src/qt/locale/ion_ro_RO.ts
+++ b/src/qt/locale/ion_ro_RO.ts
@@ -84,6 +84,9 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
@@ -120,6 +123,9 @@
PrivacyDialog
+
+ ProposalFrame
+
QObject
diff --git a/src/qt/locale/ion_ru.ts b/src/qt/locale/ion_ru.ts
index 1100d840d2ad6..a4dd1a6dc2b75 100644
--- a/src/qt/locale/ion_ru.ts
+++ b/src/qt/locale/ion_ru.ts
@@ -608,10 +608,6 @@
&Command-line options
&Параметры командной строки
-
- Processed %n blocks of transaction history.
- Обработано %n блоков истории транзакцийОбработано %n блоков истории транзакцийОбработано %n блоков истории транзакцийОбработано %n блоков истории транзакций
-
Synchronizing additional data: %p%
Синхронизация дополнительных данных: %p%
@@ -645,8 +641,8 @@
Панель вкладок
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,12 +665,12 @@
Обзор мастернод
- &About Ion Core
- &О Ion Core
+ &About ION Core
+ &О ION Core
- Show information about Ion Core
- Показать информацию о Ion Core
+ Show information about ION Core
+ Показать информацию о ION Core
Modify configuration options for ION
@@ -729,16 +725,12 @@
Окно обзора блока
- Show the Ion Core help message to get a list with possible ION command-line options
+ Show the ION Core help message to get a list with possible ION command-line options
Смотрите помощь к программе, чтобы получить документацию ко всем возможным опциям комманды ION
- Ion Core client
- Клиент Ion Core
-
-
- %n active connection(s) to ION network
- %n активных подключений к сети ION%n активных подключений к сети ION%n активных подключений к сети ION%n активных подключений к сети ION
+ ION Core client
+ Клиент ION Core
Synchronizing with network...
@@ -760,26 +752,10 @@
Up to date
Обновление не требуется
-
- %n hour(s)
- %n часов%n часов%n часов%n часов
-
-
- %n day(s)
- %n дней%n дней%n дней%n дней
-
-
- %n week(s)
- %n недель%n недель%n недель%n недель
-
%1 and %2
%1 и %2
-
- %n year(s)
- %n лет%n лет%n лет%n лет
-
Catching up...
ловлю...
@@ -864,7 +840,7 @@ MultiSend: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Кошелек <b>зашифрован</b> и в настоящее время <b>заблокирован</b>
-
+
BlockExplorer
@@ -1224,6 +1200,17 @@ MultiSend: %1
Здесь невозможно создать каталог данных.
+
+ GovernancePage
+
+ Form
+ Вид
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1231,16 +1218,16 @@ MultiSend: %1
версия
- Ion Core
- Ion Core
+ ION Core
+ ION Core
(%1-bit)
(%1-бит)
- About Ion Core
- О Ion Core
+ About ION Core
+ О ION Core
Command-line options
@@ -1286,16 +1273,16 @@ MultiSend: %1
Добро пожаловать
- Welcome to Ion Core.
- Добро пожаловать в Ion Core.
+ Welcome to ION Core.
+ Добро пожаловать в ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Поскольку это первый запуск программы, вы можете выбрать, где будут храниться данные Ion Core.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Поскольку это первый запуск программы, вы можете выбрать, где будут храниться данные ION Core.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core загрузит и сохранит копию цепочки блоков ION. Каталог будет занимать около %1GB и со временем размер будет увеличиваться. Кроме того, в этом каталоге будет храниться кошелек.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core загрузит и сохранит копию цепочки блоков ION. Каталог будет занимать около %1GB и со временем размер будет увеличиваться. Кроме того, в этом каталоге будет храниться кошелек.
Use the default data directory
@@ -1306,8 +1293,8 @@ MultiSend: %1
Использовать другой каталог данных:
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1541,50 +1528,10 @@ MultiSend будет неактивен до тех пор, пока вы не
(no label)
(нет метки)
-
- The entered address:
-
- Введенный адрес:
-
-
-
- is invalid.
-Please check the address and try again.
- недопустим.
-Пожалуйста, проверьте адрес и попробуйте снова.
-
-
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- Итоговое значение вектора MultiSend превышает 100% ваших вознаграждений
-
-
Please Enter 1 - 100 for percent.
Введите 1 - 100 для указания процентов.
-
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- Сохранили МультиОтправку в памяти, но не удалось сохранить свойства в базе данных.
-
-
-
- MultiSend Vector
-
- Вектор MultiSend
-
-
-
- Removed
- Удалено
-
-
- Could not locate address
-
- Не удалось найти адрес
-
-
MultisigDialog
@@ -1780,32 +1727,32 @@ Please be patient after clicking import.
Выберите уровень конфиденциальности.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Используйте 2 разные мастерноды для смешивания средств до 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Используйте 2 разные мастерноды для смешивания средств до 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Используйте 8 разных мастернод для смешивания средств до 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Используйте 8 разных мастернод для смешивания средств до 20000 ION
Use 16 separate masternodes
Используйте 16 разных мастернод
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Этот вариант является самым быстрым и будет стоить порядка ~0.025 ION для анонимизации 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Этот вариант является самым быстрым и будет стоить порядка ~0.025 ION для анонимизации 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Это средний по скорости вариант и он будет стоить около 0.05 ION для анонимизации 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Это средний по скорости вариант и он будет стоить около 0.05 ION для анонимизации 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Это самый медленный и безопасный вариант. Максимальная анонимность стоит
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION за 10000 ION которые вы собираетесь анонимизировать.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION за 20000 ION которые вы собираетесь анонимизировать.
Obfuscation Configuration
@@ -2484,18 +2431,6 @@ xION are mature when they have more than 20 confirmations AND more than 2 mints
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Уровень безопасности для транзакций Zerocoin. Больше лучше, но требуется больше времени и ресурсов.
-
-
- Security Level:
- Уровень безопасности:
-
-
- Security Level 1 - 100 (default: 42)
- Уровень безопасности 1-100 ( по умолчанию: 42)
-
Pay &To:
Оплатить &кому:
@@ -2771,14 +2706,6 @@ To change the percentage (no restart required):
Please be patient...
Запуск ResetMintZerocoin: повторное сканирование полной блок-цепи, это потребует до 30 минут в зависимости от вашего оборудования.
Будьте терпеливы ...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- Расходы Zerocoin.
-Вычислительно дорого, может потребоваться несколько минут в зависимости от выбранного уровня безопасности и вашего оборудования.
-Пожалуйста, будьте терпеливы...
) needed.
@@ -2950,22 +2877,10 @@ Maximum allowed:
to a newly generated (unused and therefore anonymous) local address <br />
к вновь созданному (неиспользуемому и поэтому анонимному) локальному адресу <br />
-
- with Security Level
- с безопасным уровнем
-
Confirm send coins
Подтвердить отправку монет
-
- Version 1 xION require a security level of 100 to successfully spend.
- Для версии 1 xION требуется уровень безопасности 100, который можно успешно тратить.
-
-
- Failed to spend xION
- Не удалось провести xION
-
Failed to fetch mint associated with serial hash
Не удалось получить чеканку, связанную с серийным хэшем
@@ -2984,11 +2899,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Spend Zerocoin failed with status =
Провести Zerocoin не удалось со статусом =
-
- PrivacyDialog
- Enter an amount of ION to convert to xION
- PrivacyDialogPrivacyDialogPrivacyDialogPrivacyDialog
-
denomination:
наименование:
@@ -3022,6 +2932,9 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Комиссия:
+
+ ProposalFrame
+
QObject
@@ -3072,7 +2985,11 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
%1 ms
%1 мс
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
@@ -3435,10 +3352,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Confirm resync Blockchain
Подтвердить повторную синхронизацию Blockchain
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Используйте стрелки вверх и вниз для навигации по истории, и <b>Ctrl-L</b> для очистки экрана.
-
Type <b>help</b> for an overview of available commands.
Введите <b>help</b> для просмотра доступных команд.
@@ -3510,6 +3423,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
An optional label to associate with the new receiving address.
Дополнительный ярлык для связи с новым адресом приема.
+
+ A&mount:
+ С&умма:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Необязательное сообщение для присоединения к платежному запросу, которое будет отображаться при открытии запроса. Примечание. Сообщение не будет отправлено с оплатой через сеть ION.
@@ -3534,10 +3451,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
An optional amount to request. Leave this empty or zero to not request a specific amount.
Необязательная сумма для запроса. Оставьте это пустое или ноль, чтобы не запрашивать определенную сумму.
-
- &Amount:
- &Количество:
-
&Request payment
&Запрос платежа
@@ -3582,6 +3495,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Copy amount
Копировать сумму
+
+ Copy address
+ Копировать адрес
+
ReceiveRequestDialog
@@ -3652,6 +3569,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Message
Сообщение
+
+ Address
+ Адрес
+
Amount
Сумма
@@ -3935,10 +3856,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
A fee %1 times higher than %2 per kB is considered an insanely high fee.
Плата в %1 раз выше, чем %2 за КБ, считается безумно высокой.
-
- Estimated to begin confirmation within %n block(s).
- Предполагается начать подтверждение в пределах %n блоков.Предполагается начать подтверждение в пределах %n блоков.Предполагается начать подтверждение в пределах %n блоков.Предполагается начать подтверждение в пределах %n блоков.
-
The recipient address is not valid, please recheck.
Адрес получателя недействителен, повторите проверку.
@@ -4078,8 +3995,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
ShutdownWindow
- Ion Core is shutting down...
- Ion Core выключается...
+ ION Core is shutting down...
+ ION Core выключается...
Do not shut down the computer until this window disappears.
@@ -4228,8 +4145,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -4244,8 +4161,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Разработчики Dash Core
- The Ion Core developers
- Разработчики Ion Core
+ The ION Core developers
+ Разработчики ION Core
[testnet]
@@ -4261,10 +4178,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
TransactionDesc
-
- Open for %n more block(s)
- Открыть для %n блоковОткрыть для %n блоковОткрыть для %n блоковОткрыть для %n блоков
-
Open until %1
Открыть до %1
@@ -4325,10 +4238,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
, has not been successfully broadcast yet
, еще не была успешно передана
-
- , broadcast through %n node(s)
- , передается через %n узлов, передается через %n узлов, передается через %n узлов, передается через %n узлов
-
Date
Дата
@@ -4369,10 +4278,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Credit
Кредит
-
- matures in %n more block(s)
- созревает в %n блоковсозревает в %n блоковсозревает в %n блоковсозревает в %n блоков
-
not accepted
не принимаются
@@ -4471,10 +4376,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Address
Адрес
-
- Open for %n more block(s)
- Открыть для %n блоковОткрыть для %n блоковОткрыть для %n блоковОткрыть для %n блоков
-
Open until %1
Открыть до %1
@@ -4877,11 +4778,7 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Select/Deselect All
Выбрать / Отменить выбор
-
- Is Spendable
- Расходы
-
-
+
ion-core
@@ -4909,8 +4806,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Расчетная контрольная точка не является тем, что регистрируется блочным индексом
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- Не удается получить блокировку в каталоге данных %s. Ion Core, вероятно, уже запущен.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Не удается получить блокировку в каталоге данных %s. ION Core, вероятно, уже запущен.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -5085,20 +4982,20 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Этот продукт включает программное обеспечение, разработанное OpenSSL Project для использования в OpenSSL Toolkit <https://www.openssl.org/> и криптографическом программном обеспечении, написанном Эриком Яном и программным обеспечением UPnP, написанным Томасом Бернардом.
- Unable to bind to %s on this computer. Ion Core is probably already running.
- Не удалось привязать к %s на этом компьютере. Ion Core, вероятно, уже запущен.
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Не удалось привязать к %s на этом компьютере. ION Core, вероятно, уже запущен.
Unable to locate enough Obfuscation denominated funds for this transaction.
Не удалось найти достаточное количество средств, предназначенных для обфускации, для этой транзакции.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Невозможно найти достаточное количество средств, не предназначенных для обфускации, для этой транзакции, которые не равны 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Невозможно найти достаточное количество средств, не предназначенных для обфускации, для этой транзакции, которые не равны 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Не удалось найти достаточное количество средств для этой транзакции, которые не равны 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Не удалось найти достаточное количество средств для этой транзакции, которые не равны 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5113,8 +5010,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Предупреждение: -paytxfee установлен очень высоко! Это комиссия за транзакцию, которую вы заплатите, если вы отправляете транзакцию.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- Внимание: проверьте правильность даты и времени вашего компьютера! Если ваши часы ошибочны, Ion Core не будет работать должным образом.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Внимание: проверьте правильность даты и времени вашего компьютера! Если ваши часы ошибочны, ION Core не будет работать должным образом.
Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
@@ -5269,8 +5166,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Copyright (C) 2015-%i Разработчики PIVX Core
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i Разработчики Ion Core
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i Разработчики ION Core
Corrupted block database detected
@@ -5357,8 +5254,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Ошибка при загрузке wallet.dat: Кошелек поврежден
- Error loading wallet.dat: Wallet requires newer version of Ion Core
- Ошибка загрузки wallet.dat: Кошелек требует более новой версии Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
+ Ошибка загрузки wallet.dat: Кошелек требует более новой версии ION Core
Error opening block database
@@ -5372,6 +5269,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Error recovering public key.
Ошибка при восстановлении открытого ключа.
+
+ Error writing zerocoinDB to disk
+ Ошибка записи zerocoinDB на диск
+
Error
Ошибка
@@ -5408,6 +5309,10 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Failed to listen on any port. Use -listen=0 if you want this.
Не удалось прослушивать любой порт. Используйте -listen = 0, если вы этого хотите.
+
+ Failed to parse host:port string
+ Не удалось проанализировать хост: строка порта
+
Failed to read block
Не удалось прочитать блок
@@ -5473,8 +5378,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Информация
- Initialization sanity check failed. Ion Core is shutting down.
- Инициализация проверки работоспособности не удалась. Ion Core отключается.
+ Initialization sanity check failed. ION Core is shutting down.
+ Инициализация проверки работоспособности не удалась. ION Core отключается.
Input is not valid.
@@ -5684,10 +5589,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Failed to create mint
Не удалось создать монетный двор
-
- Failed to deserialize
- Не удалось десериализовать
-
Failed to find Zerocoins in wallet.dat
Не удалось найти Zerocoins в файле wallet.dat
@@ -5757,8 +5658,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Загрузка ...
- Loading wallet... (%3.1f %%)
- Загрузка кошелька ... (%3.1f %%)
+ Loading wallet... (%3.2f %%)
+ Загрузка кошелька ... (%3.2f %%)
Loading wallet...
@@ -6128,14 +6029,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
The coin spend has been used
Расходы на монеты использовались
-
- The new spend coin transaction did not verify
- Новая транзакция с мошенничеством не подтвердила
-
-
- The selected mint coin is an invalid coin
- Выбранная монетка - недействительна
-
The transaction did not verify
Транзакция не подтверждена
@@ -6284,10 +6177,6 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Verifying wallet...
Проверка кошелька ...
-
- Version 1 xION require a security level of 100 to successfully spend.
- Для версии 1 xION требуется уровень безопасности 100, который можно успешно тратить.
-
Wallet %s resides outside data directory %s
Кошелек %s находится за пределами каталога данных %s
@@ -6297,8 +6186,8 @@ Either mint higher denominations (so fewer inputs are needed) or reduce the amou
Кошелек заблокирован.
- Wallet needed to be rewritten: restart Ion Core to complete
- Кошелек необходимо переписать: перезапустите Ion Core, чтобы завершить
+ Wallet needed to be rewritten: restart ION Core to complete
+ Кошелек необходимо переписать: перезапустите ION Core, чтобы завершить
Wallet options:
diff --git a/src/qt/locale/ion_sk.ts b/src/qt/locale/ion_sk.ts
index c4effdb2dcaa3..2788be960db17 100644
--- a/src/qt/locale/ion_sk.ts
+++ b/src/qt/locale/ion_sk.ts
@@ -569,8 +569,8 @@
Panel nástrojov Záložky
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -589,12 +589,12 @@
Prezrieť masternody
- &About Ion Core
- O Ion Core
+ &About ION Core
+ O ION Core
- Show information about Ion Core
- Zobraziť informácie o Ion Core
+ Show information about ION Core
+ Zobraziť informácie o ION Core
Modify configuration options for ION
@@ -649,12 +649,12 @@
Okno blockchain prehliadača
- Show the Ion Core help message to get a list with possible ION command-line options
- Zobraziť pomocnú správu programu Ion Core a získajte zoznam možností príkazového riadka ION
+ Show the ION Core help message to get a list with possible ION command-line options
+ Zobraziť pomocnú správu programu ION Core a získajte zoznam možností príkazového riadka ION
- Ion Core client
- Ion Core klient
+ ION Core client
+ ION Core klient
Synchronizing with network...
@@ -756,7 +756,7 @@ MultiSend: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Peňaženka je <b>zašifrovaná</ b> a momentálne je <b>zamknutá</ b>
-
+
BlockExplorer
@@ -864,18 +864,21 @@ MultiSend: %1
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Intro
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error
@@ -984,12 +987,19 @@ MultiSend: %1
Skopírovať sumu
+
+ ProposalFrame
+
QObject
Amount
Suma
+
+ ION Core
+ ION Core
+
QRImageWidget
@@ -1011,6 +1021,10 @@ MultiSend: %1
Copy amount
Skopírovať sumu
+
+ Copy address
+ Skopírovať adresu
+
ReceiveRequestDialog
@@ -1037,6 +1051,10 @@ MultiSend: %1
Label
Štítok
+
+ Address
+ Adresa
+
Amount
Suma
@@ -1185,8 +1203,8 @@ MultiSend: %1
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
diff --git a/src/qt/locale/ion_sv.ts b/src/qt/locale/ion_sv.ts
index e0d549db78f5e..135af97cd46ea 100644
--- a/src/qt/locale/ion_sv.ts
+++ b/src/qt/locale/ion_sv.ts
@@ -271,7 +271,7 @@
Paste address from clipboard
- Limma in adress från urklipp
+ Infoga adress från urklipp
Alt+P
@@ -610,7 +610,7 @@
Processed %n blocks of transaction history.
- Bearbetar %n block av transaktionshistoriken.Bearbetar %n block av transaktionshistoriken.
+ Bearbetat %n block av transaktionshistoriken.Bearbetat %n block av transaktionshistoriken.
Synchronizing additional data: %p%
@@ -624,6 +624,10 @@
Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymization and staking only
Plånboken är <b>krypterad</b> och för tillfället <b>olåst</b> för anonymisering och staking enbart
+
+ Tor is <b>enabled</b>: %1
+ Tor är <b>aktiverat</b>: %1
+
&File
Fil
@@ -645,8 +649,8 @@
flik vertygsrad
- Ion Core
- ION Kärna
+ ION Core
+ ION Core
Send coins to a ION address
@@ -669,11 +673,11 @@
Utforska masternoder
- &About Ion Core
+ &About ION Core
Om ION Kärnan
- Show information about Ion Core
+ Show information about ION Core
Visa information om ION Kärnan
@@ -729,16 +733,16 @@
Blockera utforskarfönstret
- Show the Ion Core help message to get a list with possible ION command-line options
- Visa Ion Core hjälp meddelande för att få en lista med möjliga ION kommandorad alternativ
+ Show the ION Core help message to get a list with possible ION command-line options
+ Visa ION Core hjälp meddelande för att få en lista med möjliga ION kommandorad alternativ
- Ion Core client
+ ION Core client
ION kärn klient
%n active connection(s) to ION network
- %n aktiv(a) annslutning(ar) till ION nätverket%n aktiv(a) annslutning(ar) till ION nätverket
+ %n aktiva anslutning(ar) till ION nätverket%n aktiva anslutning(ar) till ION nätverket
Synchronizing with network...
@@ -762,15 +766,15 @@
%n hour(s)
- %n timme%n timmar
+ %n timmar%n timmar
%n day(s)
- %n dag%n dagar
+ %n dagar%n dagar
%n week(s)
- %n vecka%n veckor
+ %n veckor%n veckor
%1 and %2
@@ -850,7 +854,7 @@ MultiSend: %1
AutoMint is currently enabled and set to
- AutoMint är för tillfället aktiverat och inställd på
+ AutoMint är för tillfället aktiverat och inställt på
AutoMint is disabled
@@ -864,7 +868,7 @@ MultiSend: %1
Wallet is <b>encrypted</b> and currently <b>locked</b>
Plånbok är <b>krypterad</b> och tillfälligt <b>låst</b>
-
+
BlockExplorer
@@ -1224,6 +1228,17 @@ MultiSend: %1
Kan inte skapa data katalog här.
+
+ GovernancePage
+
+ Form
+ Formulär
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1231,15 +1246,15 @@ MultiSend: %1
version
- Ion Core
- ION Kärna
+ ION Core
+ ION Core
(%1-bit)
(%1-bit)
- About Ion Core
+ About ION Core
Om ION Kärna
@@ -1286,15 +1301,15 @@ MultiSend: %1
Välkommen
- Welcome to Ion Core.
- Välkommen till Ion Core.
+ Welcome to ION Core.
+ Välkommen till ION Core.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Eftersom detta är första gången programmet körs så kan du välja var Ion Core ska spara sin data.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Eftersom detta är första gången programmet körs så kan du välja var ION Core ska spara sin data.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
ION Kärnan kommer ladda ner och spara en kopia av ION block chain. Minst %1GB data kommer sparas i denna katalog och den kommer växa med tiden. Plånboken kommer också sparas i denna katalog.
@@ -1306,8 +1321,8 @@ MultiSend: %1
Använd en skräddarsydd data katalog
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error: Specified data directory "%1" cannot be created.
@@ -1542,47 +1557,78 @@ MultiSend kommer inte aktiveras om du inte tryckt på Aktivera
(Ingen etikett)
- The entered address:
-
- Den inmatade adressen:
-
+ MultiSend Active for Stakes and Masternode Rewards
+ MultiSend Aktivt för Stakes och Huvudnods Belöningar
+
+
+ MultiSend Active for Stakes
+ MultiSend Aktiv för Stakes
- is invalid.
+ MultiSend Active for Masternode Rewards
+ MultiSend Aktivt för Huvudnods Belöningar
+
+
+ MultiSend Not Active
+ MultiSend inte Aktivt
+
+
+ The entered address: %1 is invalid.
Please check the address and try again.
- är ogiltig.
+ Den angivna adressen: %1 är ej giltig.
Var vänlig kontrollera adressen och försök igen.
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- Din totala MultiSend vektor mängd överstiger 100% av din staking belöning
-
+ The total amount of your MultiSend vector is over 100% of your stake reward
+ Den totala mängden av din MultiSend vektor är över 100% av din stake belöning
- Please Enter 1 - 100 for percent.
- Var vänlig mata in 1 - 100 i procent.
+ Saved the MultiSend to memory, but failed saving properties to the database.
+ Sparade MultiSend till minne, men misslyckades spara egenskaperna till databasen.
- Saved the MultiSend to memory, but failed saving properties to the database.
-
- Sparade MultiSend till minne, men misslyckades spara egenskaperna till databasen.
-
+ MultiSend Vector
+ MultiSend Vektor
- MultiSend Vector
-
- MultiSend Vektor
+ Removed %1
+ Borttaget %1
- Removed
- Borttagen
+ Could not locate address
+ Kunde inte lokalisera adress
- Could not locate address
-
- Kunde inte lokalisera adress
-
+ Unable to activate MultiSend, check MultiSend vector
+ Kan ej aktivera MultiSend, kontrollera MultiSend vektor
+
+
+ Need to select to send on stake and/or masternode rewards
+ Behöver välja att skicka på stake och/eller huvudnods belöningar
+
+
+ MultiSend activated but writing settings to DB failed
+ MultiSend aktiverat men misslyckades att skriva inställningar till DB
+
+
+ MultiSend activated
+ MultiSend aktiverat
+
+
+ First Address Not Valid
+ Första Adress Ej Giltig
+
+
+ MultiSend deactivated but writing settings to DB failed
+ MultiSend avaktiverat men misslyckades skriva inställningar till DB
+
+
+ MultiSend deactivated
+ MultiSend avaktiverat
+
+
+ Please Enter 1 - 100 for percent.
+ Var vänlig mata in 1 - 100 i procent.
@@ -1657,7 +1703,7 @@ Var god vänta efter att du trycker på importera.
Quantity Selected:
- Kvantitet Vald:
+ Vald Kvantitet:
0
@@ -1779,32 +1825,32 @@ Var god vänta efter att du trycker på importera.
Var vänlig och välj en sekretess nivå.
- Use 2 separate masternodes to mix funds up to 10000 ION
- Använd 2 separata huvudnoder för att blanda tillgångar upp till 10000 ION
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ Använd 2 separata huvudnoder för att blanda tillgångar upp till 20000 ION
- Use 8 separate masternodes to mix funds up to 10000 ION
- Använd 8 separata huvudnoderför att blanda tillgångar upp till 10000 ION
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ Använd 8 separata huvudnoderför att blanda tillgångar upp till 20000 ION
Use 16 separate masternodes
Använd 16 separata huvudnoder
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Det här alternativet är det snabbaste och kommer kostar ungefär ~0.025 ION för att anonymisera 10000 ION
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Det här alternativet är det snabbaste och kommer kostar ungefär ~0.025 ION för att anonymisera 20000 ION
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Det här alternativet är måttligt snabb och kommer kostar ungefär 0.05 ION för att anonymisera 10000 ION
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Det här alternativet är måttligt snabb och kommer kostar ungefär 0.05 ION för att anonymisera 20000 ION
This is the slowest and most secure option. Using maximum anonymity will cost
Det här är det långsammaste och säkraste alternativet. Använda maximal anonymitet kommer kosta
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION per 10000 ION du anonymiserar.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION per 20000 ION du anonymiserar.
Obfuscation Configuration
@@ -1864,6 +1910,10 @@ Var god vänta efter att du trycker på importera.
MB
MB
+
+ Number of script &verification threads
+ Antal script &verifications trådar
+
(0 = auto, <0 = leave that many cores free)
(0 = auto, <0 = lämna så många "kärnor" fria)
@@ -1888,6 +1938,10 @@ Var god vänta efter att du trycker på importera.
Allow incoming connections
Tillåt inkommande anslutningar
+
+ &Connect through SOCKS5 proxy (default proxy):
+ &Koppla upp genom SOCKS5 proxy (standard proxy):
+
Expert
Expert
@@ -1904,6 +1958,10 @@ Var god vänta efter att du trycker på importera.
Whether to show coin control features or not.
Huruvida mynt kontroll funktioner ska visas eller inte.
+
+ Enable coin &control features
+ Tillåt mynt &kontroll funktioner
+
Show additional tab listing all your masternodes in first sub-tab<br/>and all masternodes on the network in second sub-tab.
Visa ytterligare en flik som visar alla dina huvudnoder i sin första sub-flik<br/>och alla huvudnoder på nätverket i en andra sub-flik.
@@ -2006,10 +2064,18 @@ https://www.transifex.com/ioncoincore/ioncore
&Display
&Display
+
+ User Interface &language:
+ Användargränssnitt och &språk:
+
User Interface Theme:
Användargränssnitts Tema:
+
+ &Unit to show amounts in:
+ &Enhet att visa mängd i:
+
Choose the default subdivision unit to show in the interface and when sending coins.
Välj standardindelningsenheten att visa i gränssnittet och när mynt skickas.
@@ -2022,6 +2088,14 @@ https://www.transifex.com/ioncoincore/ioncore
Hide empty balances
Dölj tomma saldon
+
+ Hide orphan stakes in transaction lists
+ Göm föräldralösa stakes i transaktionslistan
+
+
+ Hide orphan stakes
+ Göm föräldralösa stakes
+
Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |.
Tredjeparts URLs (t.ex. en blockutforskare) som visar sig i transaktionsfliken som objekt i innehållsmeny. %s i URLen ersätts med transaktionshash. Flera URLs separeras med vertical stång |.
@@ -2038,6 +2112,10 @@ https://www.transifex.com/ioncoincore/ioncore
Reset all client options to default.
Starta om alla klient alternativ till standard.
+
+ &Reset Options
+ &Återställnings Inställningar
+
&OK
&OK
@@ -2151,7 +2229,7 @@ Omogna: bekräftade men under 1 myntning av samma valör efter den blev präglad
The displayed information may be out of date. Your wallet automatically synchronizes with the ION network after a connection is established, but this process has not completed yet.
- Informationen kan vara föråldrad. Din plånbok synkroniserar automatiskt med ION nätverket efter att en anslutning är etablerad, men denna process har inte blivit klar än.
+ nformationen kan vara föråldrad. Din plånbok synkroniserar automatiskt med ION nätverket efter att en anslutning är etablerad, men denna process har inte blivit klar än.
OVERVIEW
@@ -2460,18 +2538,6 @@ xION är mogna när de har över 20 bekräftelser OCH över 2 präglingar av sam
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Säkerhetsnivå på Zerocoin Transaktioner. Mer är bättre, men behöver mer tid och resurser.
-
-
- Security Level:
- Säkerhetsnivå:
-
-
- Security Level 1 - 100 (default: 42)
- Säkerhetsnivå 1- 100 (standard: 42)
-
Pay &To:
Betala &Till:
@@ -2498,7 +2564,7 @@ xION är mogna när de har över 20 bekräftelser OCH över 2 präglingar av sam
&Label:
- Etikett:
+ &Etikett:
Enter a label for this address to add it to the list of used addresses
@@ -2548,7 +2614,7 @@ xION är mogna när de har över 20 bekräftelser OCH över 2 präglingar av sam
Unconfirmed: less than 20 confirmations
Immature: confirmed, but less than 1 mint of the same denomination after it was minted
Obekräftade: Under 20 bekräftelser
-Omogna: bekräftade men under 1 mint av samma valör efter den blev mintad
+Omogna: bekräftade men under 1 myntning av samma valör efter den blev präglad
Show the current status of automatic xION minting.
@@ -2616,6 +2682,14 @@ För att ändra procenten (ingen omstart krävs):
0 x
0 x
+
+ Show xION denominations list
+ Visa xION valör lista
+
+
+ Show Denominations
+ Visa Valörer
+
Denominations with value 5:
Valörer med värde 5:
@@ -2672,6 +2746,10 @@ För att ändra procenten (ingen omstart krävs):
Denom. with value 5000:
Valörer med värde 5000:
+
+ Hide Denominations
+ Göm Valörer
+
Priority:
Prioritet:
@@ -2749,14 +2827,6 @@ För att ändra procenten (ingen omstart krävs):
Please be patient...
Startar ResetMintZerocoin: skannar om hela blockchain, detta kan ta upp till 30 minuter beroende på din hårdvara.
Ha lite tålamod...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- Spendera Zerocoin.
-Beräkningsmässigt krävande, kan behöva flera minuter beroende på den valda säkerhetsnivån och din hårdvara.
-Var god dröj...
) needed.
@@ -2928,22 +2998,10 @@ Högsta tillåtna:
to a newly generated (unused and therefore anonymous) local address <br />
till en nygjord (oanvänd och därför anonym) lokal adress<br />
-
- with Security Level
- med Säkerhetsnivå
-
Confirm send coins
Bekräfta att skicka mynt
-
- Version 1 xION require a security level of 100 to successfully spend.
- Version 1 xION kräver en säkerhetsnivå på 100 för att kunna spenderas med framgång.
-
-
- Failed to spend xION
- Misslyckades med att spendera xION
-
Failed to fetch mint associated with serial hash
Misslyckades med att hämta myntning associerat med serie hashen
@@ -2965,7 +3023,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
PrivacyDialog
Enter an amount of ION to convert to xION
- SekretessRutaSekretessDialog
+ SekretessDialogSekretessDialog
denomination:
@@ -3000,6 +3058,9 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
avgift:
+
+ ProposalFrame
+
QObject
@@ -3050,13 +3111,21 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
%1 ms
%1 ms
-
+
+ ION Core
+ ION Core
+
+
QRImageWidget
&Save Image...
&Spara Bild...
+
+ &Copy Image
+ &Kopiera Bild
+
Save QR Code
Spara QR Kod
@@ -3074,7 +3143,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
&Information
- information
+ &Information
General
@@ -3096,6 +3165,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Number of connections
Antal anslutningar
+
+ &Open
+ &Öppna
+
Startup time
Starttid
@@ -3144,6 +3217,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Number of Masternodes
Antal Huvudnoder "masternodes"
+
+ &Console
+ &Konsoll
+
Clear console
Rensa konsol
@@ -3152,6 +3229,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
&Network Traffic
&Nätverkstrafik
+
+ &Clear
+ &Rensa
+
Totals
Totalt
@@ -3224,6 +3305,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Ping Time
Ping Tid
+
+ &Wallet Repair
+ &Plånboks Reparation
+
Delete local Blockchain Folders
Radera lokala Blockchain Mappar
@@ -3352,6 +3437,22 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Ban Node for
förbjud Nod för att
+
+ 1 &hour
+ 1 &timme
+
+
+ 1 &day
+ 1 &dag
+
+
+ 1 &week
+ 1 &vecka
+
+
+ 1 &year
+ 1 &år
+
This will delete your local blockchain folders and the wallet will synchronize the complete Blockchain from scratch.<br /><br />
Detta kommer radera dina lokala blockchain mappar och plånboken kommer synkronisera den kompletta Blockchainen från början.<br /><br />
@@ -3373,13 +3474,17 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Godkänn omsynkronisering av Blockchain
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Använd upp- och ner-pilarna för att navigera historiken, och <b>Ctrl-L</b> för att rensa skärm.
+ Use up and down arrows to navigate history, and %1 to clear screen.
+ Använd upp- och ner-pilarna för att navigera historiken, och %1 för att rensa skärm.
Type <b>help</b> for an overview of available commands.
Skriv <b>help</b> för en överblick av tillgängliga kommandon.
+
+ WARNING: Scammers have been active, telling users to type commands here, stealing their wallet contents. Do not use this console without fully understanding the ramifications of a command.
+ VARNING: Bedrägare har varit aktiva, säger åt användare att skriva kommandon här, stjäl deras innehåll i plånboken. Använd inte denna konsoll utan att fullt förstå vad ett kommando kan leda till.
+
%1 B
%1 B
@@ -3447,6 +3552,18 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
An optional label to associate with the new receiving address.
En valfri etikett att associera med den nya mottagaradressen.
+
+ Your receiving address. You can copy and use it to receive coins on this wallet. A new one will be generated once it is used.
+ Din mottagaradress. Du kan kopiera och använda den för att ta emot mynt på denna plånbok. En ny kommer genereras när den har använts.
+
+
+ &Address:
+ &Adress
+
+
+ A&mount:
+ &Mängd:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Ett frivilligt meddelande att bifoga till betalningsförfrågan, som kommer visas när förfrågan öppnas. Observera: Medelandet kommer inte skickas med betalningen över ION nätverket.
@@ -3471,6 +3588,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
An optional amount to request. Leave this empty or zero to not request a specific amount.
En frivillig mängd att anhålla om. Lämna den tom eller på noll för att inte fråga efter en specifik mängd.
+
+ &Request payment
+ &Förfråga betalning
+
Clear all fields of the form.
Rensa alla fält i formuläret.
@@ -3479,6 +3600,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Clear
Rensa
+
+ Receiving Addresses
+ Mottagar Adress
+
Requested payments history
Förfrågade betalningshistorik
@@ -3511,6 +3636,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Copy amount
Kopiera antal
+
+ Copy address
+ Kopiera Adress
+
ReceiveRequestDialog
@@ -3579,7 +3708,11 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Message
- Medelande
+ Meddelande
+
+
+ Address
+ Adress
Amount
@@ -3614,7 +3747,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Insufficient funds!
- Otillräckliga pengar!
+ Otillräckliga medel !
Quantity:
@@ -3658,7 +3791,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address.
- Om detta är aktiverat, men växeladressen är tom eller ogiltig så kommer växel skickas till en nybildad adress.
+ Om detta är aktiverat, men växeladressen är tom eller ogiltig så kommer växeln att skickas till en nybildad adress.
Custom change address
@@ -3680,6 +3813,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
0 ION
0 ION
+
+ SwiftX technology allows for near instant transactions - A flat fee of 0.01 ION applies
+ SwiftX teknologi tillåter nästan omedelbara transaktioner - En fast avgift på 0.01ION tillkommer
+
Transaction Fee:
Transaktionsavgift:
@@ -3688,6 +3825,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Choose...
Välj...
+
+ collapse fee-settings
+ göm avgifts-inställningar
+
Minimize
Minimera
@@ -3764,6 +3905,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Confirm the send action
Bekräfta skickandet
+
+ S&end
+ S&icka
+
Clear all fields of the form.
Rensa alla fält i formuläret.
@@ -3776,6 +3921,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Send to multiple recipients at once
Skicka till flera mottagare på en gång
+
+ Add &Recipient
+ Lägg till &Mottagare
+
Anonymized ION
Anonymiserade ION
@@ -3854,7 +4003,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Estimated to begin confirmation within %n block(s).
- Bekräftelse börjar om uppskattningsvis %n block.Bekräftelse börjar om uppskattningsvis %n block.
+ Uppskattat att starta konfirmation inom %n block.Uppskattat att starta konfirmation inom %n block.
The recipient address is not valid, please recheck.
@@ -3908,6 +4057,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Pay only the minimum fee of %1
Betala endast minsta avgift på %1
+
+ Estimated to get 6 confirmations near instantly with <b>SwiftX</b>!
+ Upskattar att få 6 konfirmationer nästan omedelbart med <b>SwiftX</b>!
+
Warning: Unknown change address
Varning: Okänd växeladress
@@ -3953,7 +4106,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
&Label:
- Etikett:
+ &Etikett:
Enter a label for this address to add it to the list of used addresses
@@ -3961,7 +4114,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
A&mount:
- &mängd:
+ &Mängd:
Message:
@@ -3995,8 +4148,8 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
ShutdownWindow
- Ion Core is shutting down...
- Ion Core stängs ner...
+ ION Core is shutting down...
+ ION Core stängs ner...
Do not shut down the computer until this window disappears.
@@ -4103,15 +4256,15 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
The entered address does not refer to a key.
- Den angivna adressen refererar inte till en nyckel.
+ Den angivna adressen visar inte till en nyckel.
Wallet unlock was cancelled.
- Upplåsningen av plånboken var avbruten.
+ Upplåsningen av plånboken blev avbruten.
Private key for the entered address is not available.
- Den privata nyckel som angivits flr adressen är inte tillgänglig.
+ Den privata nyckel som angivits till adressen är inte tillgänglig.
Message signing failed.
@@ -4145,8 +4298,8 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Version %1
@@ -4161,8 +4314,8 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Dash Core utvecklarna
- The Ion Core developers
- Ion Core utvecklarna
+ The ION Core developers
+ ION Core utvecklarna
[testnet]
@@ -4180,7 +4333,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
TransactionDesc
Open for %n more block(s)
- Öppen för %n fler blockÖppen för %n fler block
+ Öppna för %n fler blockÖppna för %n fler block
Open until %1
@@ -4390,7 +4543,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Open for %n more block(s)
- Öppen för %n fler blockÖppen för %n fler block
+ Öppna för %n fler blockÖppna för %n fler block
Open until %1
@@ -4601,7 +4754,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Masternode Reward
- Huvudnods Belöning
+ Masternode Belöning
Zerocoin Mint
@@ -4641,7 +4794,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Copy transaction ID
- Kopiera transactions ID
+ Kopiera transaktions ID
Edit label
@@ -4651,6 +4804,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Show transaction details
Visa Transaktionsdetaljer
+
+ Hide orphan stakes
+ Göm föräldralösa stakes
+
Export Transaction History
Exportera Transaktionshistorik
@@ -4689,7 +4846,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Exporting Failed
- Exportering Misslyckad
+ Exportering Misslyckades
There was an error trying to save the transaction history to %1.
@@ -4794,11 +4951,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Select/Deselect All
Markera/Avmarkera alla
-
- Is Spendable
- Är Spenderbar
-
-
+
ion-core
@@ -4826,7 +4979,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Beräknade ackumulator kontrollstation är inte vad som sparats av block index
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
Kan ej låsa in på data katalog %s. ION Kärna körs förmodligen redan.
@@ -5002,20 +5155,24 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Denna produkt inkluderar mjukvara utvecklad av OpenSSL Projektet för användning i OpenSSL Toolkit <https://www.openssl.org/> och kryptografisk mjukvara skriven av Eric Young och UPnP mjukvara skriven av Thomas Bernard.
- Unable to bind to %s on this computer. Ion Core is probably already running.
- Kan inte binda till %s på denna dator. Ion Core körs förmodligen redan.
+ Total length of network version string (%i) exceeds maximum length (%i). Reduce the number or size of uacomments.
+ Totala längden av nätverks verisionens sträng (%i) överskrider maximala längd (%i). Minska mängden eller storleken av uakommentarer.
+
+
+ Unable to bind to %s on this computer. ION Core is probably already running.
+ Kan inte binda till %s på denna dator. ION Core körs förmodligen redan.
Unable to locate enough Obfuscation denominated funds for this transaction.
Kan ej lokalisera tillräckligt Fördunklingsdenominationerade pengar för denna transaktion.
- Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 10000 ION.
- Kan ej lokalisera tillräckligt Fördunkling icke-denominationerade pengar för denna transaktion som inte är 10000 ION.
+ Unable to locate enough Obfuscation non-denominated funds for this transaction that are not equal 20000 ION.
+ Kan ej lokalisera tillräckligt Fördunkling icke-denominationerade pengar för denna transaktion som inte är 20000 ION.
- Unable to locate enough funds for this transaction that are not equal 10000 ION.
- Kan inte hitta tillräckligt med pengar för denna transaktion som inte är 10000 ION.
+ Unable to locate enough funds for this transaction that are not equal 20000 ION.
+ Kan inte hitta tillräckligt med pengar för denna transaktion som inte är 20000 ION.
Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)
@@ -5030,8 +5187,8 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Varning: -maxtxfee är sätt väldigt högt! Detta är transaktionsavgiften du kommer betala om du skickar en transaktion.
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- Varning: Var vänlig kontrollera att din dators tid och datum är korrekt! Om din klocka är fel så kommer Ion Core inte att fungera korrekt.
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ Varning: Var vänlig kontrollera att din dators tid och datum är korrekt! Om din klocka är fel så kommer ION Core inte att fungera korrekt.
Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues.
@@ -5105,6 +5262,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Always query for peer addresses via DNS lookup (default: %u)
Fråga alltid efter peer adresser via DNS lookup (standard: %u)
+
+ Append comment to the user agent string
+ Bifoga kommentar till användaragent strängen
+
Attempt to recover private keys from a corrupt wallet.dat
Försök återfå privata nycklar från en korrupt wallet.dat
@@ -5186,8 +5347,8 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Copyright (C) 2015-%i The PIVX Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
- Copyright (C) 2018-%i The Ion Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
+ Copyright (C) 2018-%i The ION Core Developers
Corrupted block database detected
@@ -5274,7 +5435,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Fel vid laddning av wallet.dat: Plånbok korrupterad
- Error loading wallet.dat: Wallet requires newer version of Ion Core
+ Error loading wallet.dat: Wallet requires newer version of ION Core
Fel vid laddning av wallet.dat: Plånbok kräver nyare ION Kärna version
@@ -5289,6 +5450,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Error recovering public key.
Fel vid återhämtning av offentlig nyckel.
+
+ Error writing zerocoinDB to disk
+ Fel vid skrivning av zerocoinDB till disk
+
Error
Fel
@@ -5325,6 +5490,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
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.
+
+ Failed to parse host:port string
+ Misslyckades ta ut satsdelarna i host:port sträng
+
Failed to read block
Misslyckades läsa block
@@ -5390,7 +5559,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Information
- Initialization sanity check failed. Ion Core is shutting down.
+ Initialization sanity check failed. ION Core is shutting down.
Initierings renlighetscheck misslyckades. ION Kärna stängs ner.
@@ -5601,10 +5770,6 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Failed to create mint
Misslyckades skapa mint
-
- Failed to deserialize
- Misslyckades att deserialize
-
Failed to find Zerocoins in wallet.dat
Misslyckades hitta Zerocoins i wallet.dat
@@ -5674,8 +5839,8 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Laddar sporks...
- Loading wallet... (%3.1f %%)
- Laddar plånbok... (%3.1f%%)
+ Loading wallet... (%3.2f %%)
+ Laddar plånbok... (%3.2f%%)
Loading wallet...
@@ -6045,14 +6210,6 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
The coin spend has been used
Mynt spenderingen har redan använts
-
- The new spend coin transaction did not verify
- Den nya spendera mynt transaktionen kunde inte verifieras
-
-
- The selected mint coin is an invalid coin
- Den valda mint myntet är ett ogiltigt mynt
-
The transaction did not verify
Transaktionen verifierades inte
@@ -6181,6 +6338,10 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Use the test network
Använd test nätverket
+
+ User Agent comment (%s) contains unsafe characters.
+ Användaragent kommentar (%s) innehåller osäkra tecken.
+
Username for JSON-RPC connections
Användarnamn för JSON-RPC anslutningar
@@ -6201,10 +6362,6 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Verifying wallet...
Verifierar plånbok
-
- Version 1 xION require a security level of 100 to successfully spend.
- Version 1 xION kräver en säkerhetsnivå på 100 för att kunna spenderas med framgång.
-
Wallet %s resides outside data directory %s
Plånbok %s finns utanför data katalog %s
@@ -6214,7 +6371,7 @@ Minta antingen högre valörer (så att färre inputs behövs) eller spendera mi
Plånboken är låst.
- Wallet needed to be rewritten: restart Ion Core to complete
+ Wallet needed to be rewritten: restart ION Core to complete
Plånbok behöver skrivas om: starta om ION Kärna för att göra klart
diff --git a/src/qt/locale/ion_tr.ts b/src/qt/locale/ion_tr.ts
index d3e18cc6e048d..bc51850d12c4e 100644
--- a/src/qt/locale/ion_tr.ts
+++ b/src/qt/locale/ion_tr.ts
@@ -616,6 +616,14 @@
%1 behind. Scanning block %2
%1 geride. blok tarıyor %2
+
+ Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonymization and staking only
+ Cüzdan şifrelenmiştirve şu anda sadece anonimleştirme ve staking yapılabilmesi amacıyla kilitsiz</b> hale getirilmiştir.
+
+
+ Tor is <b>enabled</b>: %1
+ Tor <b>etkin</b> hale getirilmiştir: %1
+
&File
&Dosya
@@ -637,7 +645,7 @@
Sekme tablosu
- Ion Core
+ ION Core
ION CORE
@@ -661,12 +669,12 @@
Masternodları ara
- &About Ion Core
- Ion core Hakkında
+ &About ION Core
+ Pıvx core Hakkında
- Show information about Ion Core
- Ion Core hakkında bilgi göster
+ Show information about ION Core
+ Pıvx Core hakkında bilgi göster
Modify configuration options for ION
@@ -721,12 +729,12 @@
Kaşif penceresini engelle
- Show the Ion Core help message to get a list with possible ION command-line options
- Olası ION komut satırı seçeneklerine sahip bir liste almak için Ion Core yardım mesajını gösterin
+ Show the ION Core help message to get a list with possible ION command-line options
+ Olası ION komut satırı seçeneklerine sahip bir liste almak için ION Core yardım mesajını gösterin
- Ion Core client
- Ion Core istemci
+ ION Core client
+ ION Core istemci
Synchronizing with network...
@@ -786,7 +794,7 @@
Sent MultiSend transaction
- MultiSend işlemi gönderildi
+ ÇokluGönderi işlemi gönderildi
Date: %1
@@ -804,7 +812,7 @@ Adres: %4
Staking is active
MultiSend: %1
Staking aktif
- Multisend: %1
+ ÇokluGönderi: %1
Active
@@ -817,8 +825,8 @@ Adres: %4
Staking is not active
MultiSend: %1
- staking inaktif
- Multisend: %1
+ Staking etkin değildir
+ÇokluGönderi: %1
AutoMint is currently enabled and set to
@@ -836,7 +844,7 @@ Adres: %4
Wallet is <b>encrypted</b> and currently <b>locked</b>
Cüzdan<b>şifreli</b>ve şu anda<b>kilitli</b>
-
+
BlockExplorer
@@ -1193,6 +1201,17 @@ Adres: %4
Burada veri dizini oluşturulamıyor.
+
+ GovernancePage
+
+ Form
+ Form
+
+
+ 0
+ 0
+
+
HelpMessageDialog
@@ -1200,7 +1219,7 @@ Adres: %4
versiyon
- Ion Core
+ ION Core
ION CORE
@@ -1208,8 +1227,8 @@ Adres: %4
(%1-bit)
- About Ion Core
- hakkında Ion Core
+ About ION Core
+ hakkında ION Core
Command-line options
@@ -1255,16 +1274,16 @@ Adres: %4
Hoşgeldiniz
- Welcome to Ion Core.
- Ion Core'a hoşgeldiniz.
+ Welcome to ION Core.
+ ION Core'a hoşgeldiniz.
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- Program ilk başlatıldığında Ion Core'un verilerini nerede saklayacağını seçebilirsiniz.
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ Program ilk başlatıldığında ION Core'un verilerini nerede saklayacağını seçebilirsiniz.
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core, ION blok zincirinin bir kopyasını indirecek ve depolayacaktır. Bu dizinde en az %1GB veri saklanacak ve zamanla büyüyecek. Cüzdan ayrıca bu dizinde saklanır.
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core, ION blok zincirinin bir kopyasını indirecek ve depolayacaktır. Bu dizinde en az %1GB veri saklanacak ve zamanla büyüyecek. Cüzdan ayrıca bu dizinde saklanır.
Use the default data directory
@@ -1275,7 +1294,7 @@ Adres: %4
Özel bir veri dizini kullanın:
- Ion Core
+ ION Core
ION CORE
@@ -1402,7 +1421,7 @@ Adres: %4
MultiSendDialog
MultiSend
- MultiSend
+ ÇokluGönderi
Enter whole numbers 1 - 100
@@ -1416,19 +1435,9 @@ Adres: %4
Enter Address to Send to
Gönderim adresi girin
-
- MultiSend allows you to automatically send up to 100% of your stake or masternode reward to a list of other ION addresses after it matures.
-To Add: enter percentage to give and ION address to add to the MultiSend vector.
-To Delete: Enter address to delete and press delete.
-MultiSend will not be activated unless you have clicked Activate
- MultiSend, olgunlaştıktan sonra diğer ION adreslerinin bir listesine otomatik olarak kazancınızın 100% 'ünü veya grup yazınızı ödüllendirmenize olanak tanır.
-Eklemek için: Verilecek yüzdeyi ve MultiSend vektörüne eklemek için ION adresi girin.
-Silme: Silinecek adresi girin ve silmek için basın.
-MultiSend, Etkinleştir'i tıklamadığınız sürece etkinleştirilmeyecektir
-
Add to MultiSend Vector
- Ekle MultiSend Vector
+ ÇokluGönderi Vektörüne Ekle
Add
@@ -1436,7 +1445,7 @@ MultiSend, Etkinleştir'i tıklamadığınız sürece etkinleştirilmeyecektir
Deactivate MultiSend
- Deaktif et MultiSend
+ ÇokluGönderi'yi Etkisiz hale getir
Deactivate
@@ -1476,7 +1485,7 @@ MultiSend, Etkinleştir'i tıklamadığınız sürece etkinleştirilmeyecektir
Delete Address From MultiSend Vector
- MultiSend Vector den adresi sil
+ ÇokluGönderi Vektöründen Adresi Sil
Delete
@@ -1484,7 +1493,7 @@ MultiSend, Etkinleştir'i tıklamadığınız sürece etkinleştirilmeyecektir
Activate MultiSend
- aktifle MultiSend
+ ÇokluGönderi'yi Etkinleştir
Activate
@@ -1492,11 +1501,11 @@ MultiSend, Etkinleştir'i tıklamadığınız sürece etkinleştirilmeyecektir
View MultiSend Vector
- GösterMultiSend Vector
+ ÇokluGönderi Vektörünü Görüntüle
View MultiSend
- Göster multisend
+ ÇokluGönderi'yi Görüntüle
Send For Stakes
@@ -1511,42 +1520,42 @@ MultiSend, Etkinleştir'i tıklamadığınız sürece etkinleştirilmeyecektir
(etiket yok)
- The entered address:
-
- Girilen adres:
-
+ MultiSend Active for Stakes and Masternode Rewards
+ Masternode Ödülleri için ÇokluGönderi Etkinleştirilmiştir
+
+
+ MultiSend Active for Masternode Rewards
+ Masternode Ödülleri için ÇokluGönderi Etkinleştirilmiştir
+
+
+ MultiSend Not Active
+ ÇokluGönderi Etkin değildir
- is invalid.
+ The entered address: %1 is invalid.
Please check the address and try again.
- geçersiz.
-Lütfen adresi kontrol edin ve tekrar deneyin.
+ Girili adres: %1 geçersiz.
+Lütfen adresi kontrol ediniz ve tekrar deneyiniz.
- The total amount of your MultiSend vector is over 100% of your stake reward
-
- MultiSend vectorünüzün toplam miktarı stake ödülünün 100% ünden fazla
-
+ Removed %1
+ Kaldırıldı %1
- Please Enter 1 - 100 for percent.
- Lütfen 1 - 100 arası yüzdelik miktarı girin
+ Could not locate address
+ Adres bulunamadı.
- MultiSend Vector
-
- MultiSend Vector
-
+ MultiSend activated
+ ÇokluGönderi geçerli hale getirildi
- Removed
- Silindi
+ First Address Not Valid
+ İlk Adres Geçersiz
- Could not locate address
-
- Adres bulunamıyor
-
+ Please Enter 1 - 100 for percent.
+ Lütfen 1 - 100 arası yüzdelik miktarı girin
@@ -1743,32 +1752,32 @@ Unutmayın, cüzdan, yeni adresi içeren işlemleri bulmak için blok zinciri ye
Lütfen bir gizlilik düzeyi seçin.
- Use 2 separate masternodes to mix funds up to 10000 ION
- 10000 ION'e kadar fonları karıştırmak için 2 ayrı matternod kullanın
+ Use 2 separate masternodes to mix funds up to 20000 ION
+ 20000 ION'e kadar fonları karıştırmak için 2 ayrı matternod kullanın
- Use 8 separate masternodes to mix funds up to 10000 ION
- 10000 ION'ye kadar olan fonları karıştırmak için 8 ayrı matternod kullanın
+ Use 8 separate masternodes to mix funds up to 20000 ION
+ 20000 ION'ye kadar olan fonları karıştırmak için 8 ayrı matternod kullanın
Use 16 separate masternodes
16 ayrı matternod kullan
- This option is the quickest and will cost about ~0.025 ION to anonymize 10000 ION
- Bu seçenek en hızlıdır ve 10000 ION'yi anonimleştirmek için ~ 0.025 ION'lik bir maliyeti olacaktır
+ This option is the quickest and will cost about ~0.025 ION to anonymize 20000 ION
+ Bu seçenek en hızlıdır ve 20000 ION'yi anonimleştirmek için ~ 0.025 ION'lik bir maliyeti olacaktır
- This option is moderately fast and will cost about 0.05 ION to anonymize 10000 ION
- Bu seçenek orta derecede hızlıdır ve 10000 ION'yi anonimleştirmek için yaklaşık 0.05 ION'e mal olur
+ This option is moderately fast and will cost about 0.05 ION to anonymize 20000 ION
+ Bu seçenek orta derecede hızlıdır ve 20000 ION'yi anonimleştirmek için yaklaşık 0.05 ION'e mal olur
This is the slowest and most secure option. Using maximum anonymity will cost
Bu en yavaş ve en güvenli seçenektir. Maksimum anonimlik kullanmak maliyete gelecek
- 0.1 ION per 10000 ION you anonymize.
- 0.1 ION her 10000 ION anonimleştirmeye.
+ 0.1 ION per 20000 ION you anonymize.
+ 0.1 ION her 20000 ION anonimleştirmeye.
Obfuscation Configuration
@@ -1910,6 +1919,10 @@ https://www.transifex.com/ioncoincore/ioncore
Map port using &UPnP
Map port using &UPnP
+
+ Enable automatic minting of ION units to xION
+ ION birimlerinin xION'e otomatik basımını ektinleştir
+
Enable xION Automint
xION Otomatik basımı etkinleştir
@@ -2058,7 +2071,15 @@ https://www.transifex.com/ioncoincore/ioncore
The supplied proxy address is invalid.
Verilen proxy adresi geçersiz.
-
+
+ The supplied proxy port is invalid.
+ Verilen proxy port adresi geçersiz.
+
+
+ The supplied proxy settings are invalid.
+ Verilen proxy seçenekleri geçersiz.
+
+
OverviewPage
@@ -2097,6 +2118,10 @@ https://www.transifex.com/ioncoincore/ioncore
Staked or masternode rewards that has not yet matured
Staklanmış veya masternod ödülleri henüz olgunlaşmamış
+
+ Current locked balance in watch-only addresses
+ Mevcut kilitli bakiye sadece görüntülenebilir adreslerde.
+
Your current ION balance, unconfirmed and immature transactions included
Güncel ION bakiyeniz, onaylanmamış ve olgunlaşmamış işlemler dahil
@@ -2105,6 +2130,18 @@ https://www.transifex.com/ioncoincore/ioncore
xION Balance
xION Bakiyesi
+
+ Mature: more than 20 confirmation and more than 1 mint of the same denomination after it was minted.
+These xION are spendable.
+ Olgun: basılmış olduktan sonra 20'den fazla onay alınmış ve aynı ölçü biriminden 1 kereden fazla basılmış.
+Bu xION ler harcanabilir.
+
+
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+ Doğrulanmamış: 20'den az doğrulama
+Olgunlaşmamış: onaylandı, ancak basıldıktan sonra aynı ölçü biriminden 1 taneden daha az basım bulunmakta.
+
The displayed information may be out of date. Your wallet automatically synchronizes with the ION network after a connection is established, but this process has not completed yet.
Görüntülenen bilgiler güncelliğini yitirmiş olabilir. Bir bağlantı kurulduktan sonra M-cüzdanınız otomatik olarak ION şebekesiyle senkronize edilir, ancak bu işlem henüz tamamlanmadı.
@@ -2372,6 +2409,18 @@ To enable AutoMint change 'enablezeromint=0' to 'enablezeromint=1' in ioncoin.co
PRIVACY
GİZLİLİK
+
+ Enter an amount of Ion to convert to xION
+ XIon'e dönüştürmek için bir miktar Ion girin
+
+
+ xION Control
+ xION Kontrolü
+
+
+ xION Selected:
+ xIon Seçildi:
+
Quantity Selected:
Seçilen miktar:
@@ -2404,18 +2453,6 @@ xION, 20'den fazla teyit bulunduğunda olgunlaşır ve bundan sonra aynı mezhep
0 xION
0 xION
-
- Security Level for Zerocoin Transactions. More is better, but needs more time and resources.
- Zerocoin İşlemleri için Güvenlik Seviyesi. Daha fazlası iyidir, ancak daha fazla zaman ve kaynak gerekmektedir.
-
-
- Security Level:
- Güvenlik seviyesi:
-
-
- Security Level 1 - 100 (default: 42)
- Güvenlik seviyesi 1 - 100 (varsayılan: 42)
-
Pay &To:
şuna öde:
@@ -2488,6 +2525,12 @@ xION, 20'den fazla teyit bulunduğunda olgunlaşır ve bundan sonra aynı mezhep
Denom. with value 1:
Denom. değer 1 ile:
+
+ Unconfirmed: less than 20 confirmations
+Immature: confirmed, but less than 1 mint of the same denomination after it was minted
+ Doğrulanmamış: 20'den az doğrulama
+Olgunlaşmamış: onaylandı, ancak basıldıktan sonra aynı ölçü biriminden 1 basım daha az miktarda.
+
AutoMint Status
Otomatik Basım Durumu
@@ -2632,14 +2675,6 @@ xION, 20'den fazla teyit bulunduğunda olgunlaşır ve bundan sonra aynı mezhep
Starting ResetMintZerocoin: rescanning complete blockchain, this will need up to 30 minutes depending on your hardware.
Please be patient...
ResetMintZerocoin: tam blok zinciri yeniden tarama, bu donanımınıza bağlı olarak 30 dakika kadar sürmelidir.
-Lütfen sabırlı olun...
-
-
- Spending Zerocoin.
-Computationally expensive, might need several minutes depending on the selected Security Level and your hardware.
-Please be patient...
- Harcanıyor Zerocoin.
-Hesaplaması pahalı, biraz fazla hardware. ve seçili güvenlik seviyesine bağlı olarak.
Lütfen sabırlı olun...
@@ -2728,10 +2763,6 @@ Maksimum bırakılan:
to a newly generated (unused and therefore anonymous) local address <br />
yeni üretilen (kullanılmayan ve bu nedenle isimsiz) yerel adrese <br />
-
- with Security Level
- Güvenlik seviyesi ile
-
Confirm send coins
Coin gönderimini onayla
@@ -2783,6 +2814,9 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
ücret:
+
+ ProposalFrame
+
QObject
@@ -2833,7 +2867,11 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
%1 ms
%1 ms
-
+
+ ION Core
+ ION CORE
+
+
QRImageWidget
@@ -3135,10 +3173,6 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
Confirm resync Blockchain
Blockchaini resenkronize etmeyi onaylayın
-
- Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen.
- Geçmişi görmek için ukarı ve aşağı okları kullanın, ve <b>Ctrl-L</b> ekranı silmek için.
-
Type <b>help</b> for an overview of available commands.
Yazın<b>help</b> mevcut komutaları görmek için
@@ -3198,6 +3232,10 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
An optional label to associate with the new receiving address.
Yeni alma adresi ile ilişkilendirilebilecek isteğe bağlı bir etiket.
+
+ A&mount:
+ Miktar:
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
Talep açıldığında görüntülenecek ödeme isteğine eklemek için isteğe bağlı bir mesaj. Not: Mesaj, ödemenin ION şebekesi üzerinden gönderilmeyecektir.
@@ -3218,10 +3256,6 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
An optional amount to request. Leave this empty or zero to not request a specific amount.
İsteğe bağlı olarak isteğe bağlı bir miktar. Belirli bir miktar talep etmemek için bu boş bırakın veya sıfırlayın.
-
- &Amount:
- miktar:
-
&Request payment
Ödeme talep et
@@ -3266,6 +3300,10 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
Copy amount
Miktarı kopyala
+
+ Copy address
+ Adresi Kopyala
+
ReceiveRequestDialog
@@ -3336,6 +3374,10 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
Message
Mesaj
+
+ Address
+ adres
+
Amount
Miktar
@@ -3750,8 +3792,8 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
ShutdownWindow
- Ion Core is shutting down...
- Ion Core kapanıyor ...
+ ION Core is shutting down...
+ ION Core kapanıyor ...
Do not shut down the computer until this window disappears.
@@ -3900,7 +3942,7 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
SplashScreen
- Ion Core
+ ION Core
ION CORE
@@ -3916,8 +3958,8 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
The Dash Core developers
- The Ion Core developers
- The Ion Core developers
+ The ION Core developers
+ The ION Core developers
[testnet]
@@ -4481,11 +4523,7 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
Select/Deselect All
Seç/Çıkar Hepsini
-
- Is Spendable
- Harcanabilir
-
-
+
ion-core
@@ -4513,8 +4551,8 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
Hesaplanan akümülatör kontrol noktası, blok indeksiyle kaydedilen kontrol noktası değildir.
- Cannot obtain a lock on data directory %s. Ion Core is probably already running.
- Veri dizini %s üzerinde bir kilit elde edemiyor. Ion Core muhtemelen zaten çalışıyor.
+ Cannot obtain a lock on data directory %s. ION Core is probably already running.
+ Veri dizini %s üzerinde bir kilit elde edemiyor. ION Core muhtemelen zaten çalışıyor.
Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)
@@ -4763,4 +4801,4 @@ Ya daha yüksek mezhepleri daraltın (daha az girdi gereklidir) veya harcama mik
Başlangıçta
-
\ No newline at end of file
+
diff --git a/src/qt/locale/ion_uk.ts b/src/qt/locale/ion_uk.ts
index 153397067b459..76e324e9df7f8 100644
--- a/src/qt/locale/ion_uk.ts
+++ b/src/qt/locale/ion_uk.ts
@@ -220,6 +220,9 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
@@ -264,6 +267,9 @@
PrivacyDialog
+
+ ProposalFrame
+
QObject
@@ -293,6 +299,10 @@
Label
Мітка
+
+ Address
+ Адреса
+
(no label)
(без міток)
diff --git a/src/qt/locale/ion_vi.ts b/src/qt/locale/ion_vi.ts
index 3a0f547e807e3..6b7523bf1b804 100644
--- a/src/qt/locale/ion_vi.ts
+++ b/src/qt/locale/ion_vi.ts
@@ -104,6 +104,9 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
@@ -140,6 +143,9 @@
PrivacyDialog
+
+ ProposalFrame
+
QObject
diff --git a/src/qt/locale/ion_zh_CN.ts b/src/qt/locale/ion_zh_CN.ts
index 34f85864cbcd0..ca0180119bc7c 100644
--- a/src/qt/locale/ion_zh_CN.ts
+++ b/src/qt/locale/ion_zh_CN.ts
@@ -569,8 +569,8 @@
标签工具栏
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -593,11 +593,11 @@
浏览主节点
- &About Ion Core
- &A关于Ion Core
+ &About ION Core
+ &A关于ION Core
- Show information about Ion Core
+ Show information about ION Core
显示ION Core的相关信息
@@ -653,12 +653,12 @@
区块浏览窗口
- Show the Ion Core help message to get a list with possible ION command-line options
- 显示Ion Core帮助信息并获取ION命令行选项列表
+ Show the ION Core help message to get a list with possible ION command-line options
+ 显示ION Core帮助信息并获取ION命令行选项列表
- Ion Core client
- Ion Core 客户端
+ ION Core client
+ ION Core 客户端
Synchronizing with network...
@@ -800,34 +800,41 @@ Address: %4
FreespaceChecker
+
+ GovernancePage
+
+ Form
+ 来自
+
+
HelpMessageDialog
- Ion Core
- Ion Core
+ ION Core
+ ION Core
- About Ion Core
- 关于Ion Core
+ About ION Core
+ 关于ION Core
Intro
- Welcome to Ion Core.
- 欢迎使用 Ion Core
+ Welcome to ION Core.
+ 欢迎使用 ION Core
- As this is the first time the program is launched, you can choose where Ion Core will store its data.
- 由于这是该程序第一次启动,您可以选择存储Ion Core 数据的位置。
+ As this is the first time the program is launched, you can choose where ION Core will store its data.
+ 由于这是该程序第一次启动,您可以选择存储ION Core 数据的位置。
- Ion Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
- Ion Core将下载并存储ION区块链副本。 至少 %1 GB的数据将存储在此目录中,并且会随着时间的推移而增长。 钱包也将存储在此目录中。
+ ION Core will download and store a copy of the ION block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory.
+ ION Core将下载并存储ION区块链副本。 至少 %1 GB的数据将存储在此目录中,并且会随着时间的推移而增长。 钱包也将存储在此目录中。
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Error
@@ -1116,8 +1123,15 @@ Address: %4
A&总计
+
+ ProposalFrame
+
QObject
+
+ ION Core
+ ION Core
+
QRImageWidget
@@ -1171,6 +1185,10 @@ Address: %4
&Message:
&消息:
+
+ A&mount:
+ A&总计
+
An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the ION network.
附加到付款请求的可选消息,将在请求打开时显示。 注意:消息不会在付款时通过ION网络发送。
@@ -1183,10 +1201,6 @@ Address: %4
&Label:
&标签
-
- &Amount:
- &总计
-
&Request payment
&请求支付
@@ -1195,7 +1209,11 @@ Address: %4
Copy message
复制消息
-
+
+ Copy address
+ 复制地址
+
+
ReceiveRequestDialog
@@ -1237,6 +1255,10 @@ Address: %4
Message
消息
+
+ Address
+ 地址
+
(no label)
未设置标签
@@ -1453,8 +1475,8 @@ Address: %4
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
@@ -1542,8 +1564,8 @@ Address: %4
在收到相关警报时执行命令,或者看到一个很长的分叉(cmd中的%s被消息替换)
- Warning: Please check that your computer's date and time are correct! If your clock is wrong Ion Core will not work properly.
- 注意:请检查您的电脑的日期和时间是否正确! 如果您的时间设置不正确,Ion Core将无法正常工作。
+ Warning: Please check that your computer's date and time are correct! If your clock is wrong ION Core will not work properly.
+ 注意:请检查您的电脑的日期和时间是否正确! 如果您的时间设置不正确,ION Core将无法正常工作。
Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup.
diff --git a/src/qt/locale/ion_zh_TW.ts b/src/qt/locale/ion_zh_TW.ts
index 31c3db9770e60..0fabb119c0f3a 100644
--- a/src/qt/locale/ion_zh_TW.ts
+++ b/src/qt/locale/ion_zh_TW.ts
@@ -557,8 +557,8 @@
Tabs 工具列
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Send coins to a ION address
@@ -577,12 +577,12 @@
瀏覽 Masternodes
- &About Ion Core
- &關於 Ion Core
+ &About ION Core
+ &關於 ION Core
- Show information about Ion Core
- 顯示 Ion Core 相關資訊
+ Show information about ION Core
+ 顯示 ION Core 相關資訊
Modify configuration options for ION
@@ -637,12 +637,12 @@
區塊鏈瀏覽視窗
- Show the Ion Core help message to get a list with possible ION command-line options
- 顯示 Ion Core 幫助訊息以取得 ION 命令列表選項
+ Show the ION Core help message to get a list with possible ION command-line options
+ 顯示 ION Core 幫助訊息以取得 ION 命令列表選項
- Ion Core client
- Ion Core 客戶端
+ ION Core client
+ ION Core 客戶端
@@ -668,18 +668,21 @@
FreespaceChecker
+
+ GovernancePage
+
HelpMessageDialog
- Ion Core
- Ion Core
+ ION Core
+ ION Core
Intro
- Ion Core
- Ion Core
+ ION Core
+ ION Core
@@ -748,8 +751,15 @@
文字標籤
+
+ ProposalFrame
+
QObject
+
+ ION Core
+ ION Core
+
QRImageWidget
@@ -781,6 +791,10 @@
Label
標記
+
+ Address
+ 位址
+
(no label)
(沒有標記)
@@ -893,8 +907,8 @@
SplashScreen
- Ion Core
- Ion Core
+ ION Core
+ ION Core
diff --git a/src/qt/macnotificationhandler.h b/src/qt/macnotificationhandler.h
index 6e5052952922a..9aeeef8455391 100644
--- a/src/qt/macnotificationhandler.h
+++ b/src/qt/macnotificationhandler.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/macnotificationhandler.mm b/src/qt/macnotificationhandler.mm
index 477975e0b50db..27b947d408b47 100644
--- a/src/qt/macnotificationhandler.mm
+++ b/src/qt/macnotificationhandler.mm
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin Core developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/masternodelist.cpp b/src/qt/masternodelist.cpp
index 3a357c8967857..c870d5608274b 100644
--- a/src/qt/masternodelist.cpp
+++ b/src/qt/masternodelist.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2014-2016 The Dash Developers
// Copyright (c) 2016-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -15,7 +14,7 @@
#include "masternodeconfig.h"
#include "masternodeman.h"
#include "sync.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include "walletmodel.h"
#include "askpassphrasedialog.h"
@@ -187,7 +186,7 @@ void MasternodeList::updateMyMasternodeInfo(QString strAlias, QString strAddr, C
QTableWidgetItem* statusItem = new QTableWidgetItem(QString::fromStdString(pmn ? pmn->GetStatus() : "MISSING"));
GUIUtil::DHMSTableWidgetItem* activeSecondsItem = new GUIUtil::DHMSTableWidgetItem(pmn ? (pmn->lastPing.sigTime - pmn->sigTime) : 0);
QTableWidgetItem* lastSeenItem = new QTableWidgetItem(QString::fromStdString(DateTimeStrFormat("%Y-%m-%d %H:%M", pmn ? pmn->lastPing.sigTime : 0)));
- QTableWidgetItem* pubkeyItem = new QTableWidgetItem(QString::fromStdString(pmn ? EncodeDestination(CTxDestination(pmn->pubKeyCollateralAddress.GetID())) : ""));
+ QTableWidgetItem* pubkeyItem = new QTableWidgetItem(QString::fromStdString(pmn ? CBitcoinAddress(pmn->pubKeyCollateralAddress.GetID()).ToString() : ""));
ui->tableWidgetMyMasternodes->setItem(nNewRow, 0, aliasItem);
ui->tableWidgetMyMasternodes->setItem(nNewRow, 1, addrItem);
diff --git a/src/qt/masternodelist.h b/src/qt/masternodelist.h
index 4518b3d07ecb7..2196f29d3d777 100644
--- a/src/qt/masternodelist.h
+++ b/src/qt/masternodelist.h
@@ -1,6 +1,5 @@
// Copyright (c) 2014-2016 The Dash Developers
// Copyright (c) 2016-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/multisenddialog.cpp b/src/qt/multisenddialog.cpp
index 2df83955a4d5b..245e631816c60 100644
--- a/src/qt/multisenddialog.cpp
+++ b/src/qt/multisenddialog.cpp
@@ -1,5 +1,4 @@
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -103,7 +102,7 @@ void MultiSendDialog::on_addButton_clicked()
{
bool fValidConversion = false;
std::string strAddress = ui->multiSendAddressEdit->text().toStdString();
- if (!IsValidDestinationString(strAddress)) {
+ if (!CBitcoinAddress(strAddress).IsValid()) {
ui->message->setProperty("status", "error");
ui->message->style()->polish(ui->message);
ui->message->setText(tr("The entered address: %1 is invalid.\nPlease check the address and try again.").arg(ui->multiSendAddressEdit->text()));
@@ -145,12 +144,12 @@ void MultiSendDialog::on_addButton_clicked()
if (model && model->getAddressTableModel()) {
// update the address book with the label given or no label if none was given.
- CTxDestination dest = DecodeDestination(strAddress);
+ CBitcoinAddress address(strAddress);
std::string userInputLabel = ui->labelAddressLabelEdit->text().toStdString();
if (!userInputLabel.empty())
- model->updateAddressBookLabels(dest, userInputLabel, "send");
+ model->updateAddressBookLabels(address.Get(), userInputLabel, "send");
else
- model->updateAddressBookLabels(dest, "(no label)", "send");
+ model->updateAddressBookLabels(address.Get(), "(no label)", "send");
}
CWalletDB walletdb(pwalletMain->strWalletFile);
@@ -196,7 +195,7 @@ void MultiSendDialog::on_activateButton_clicked()
strRet = tr("Unable to activate MultiSend, check MultiSend vector");
else if (!(ui->multiSendStakeCheckBox->isChecked() || ui->multiSendMasternodeCheckBox->isChecked())) {
strRet = tr("Need to select to send on stake and/or masternode rewards");
- } else if (IsValidDestinationString(pwalletMain->vMultiSend[0].first)) {
+ } else if (CBitcoinAddress(pwalletMain->vMultiSend[0].first).IsValid()) {
pwalletMain->fMultiSendStake = ui->multiSendStakeCheckBox->isChecked();
pwalletMain->fMultiSendMasternodeReward = ui->multiSendMasternodeCheckBox->isChecked();
diff --git a/src/qt/multisenddialog.h b/src/qt/multisenddialog.h
index 4295a8e8e147f..80cd26d021110 100644
--- a/src/qt/multisenddialog.h
+++ b/src/qt/multisenddialog.h
@@ -1,5 +1,4 @@
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/multisigdialog.cpp b/src/qt/multisigdialog.cpp
index 4b4ed6758cecc..b1145ffa1be8e 100644
--- a/src/qt/multisigdialog.cpp
+++ b/src/qt/multisigdialog.cpp
@@ -1,5 +1,4 @@
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -16,7 +15,7 @@
#include "coins.h"
#include "keystore.h"
#include "init.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include "script/sign.h"
#include "script/interpreter.h"
#include "utilmoneystr.h"
@@ -264,7 +263,7 @@ bool MultisigDialog::addMultisig(int m, vector keys){
ui->addMultisigStatus->setStyleSheet("QLabel { color: black; }");
ui->addMultisigStatus->setText("Multisignature address " +
- QString::fromStdString(EncodeDestination(innerID)) +
+ QString::fromStdString(CBitcoinAddress(innerID).ToString()) +
" has been added to the wallet.\nSend the redeem below for other owners to import:\n" +
QString::fromStdString(redeem.ToString()));
}catch(const runtime_error& e) {
@@ -321,7 +320,7 @@ void MultisigDialog::on_createButton_clicked()
QWidget* dest = qobject_cast(ui->destinationsList->itemAt(i)->widget());
QValidatedLineEdit* addr = dest->findChild("destinationAddress");
BitcoinAmountField* amt = dest->findChild("destinationAmount");
- CTxDestination address;
+ CBitcoinAddress address;
bool validDest = true;
@@ -329,7 +328,7 @@ void MultisigDialog::on_createButton_clicked()
addr->setValid(false);
validDest = false;
}else{
- address = DecodeDestination(addr->text().toStdString());
+ address = CBitcoinAddress(addr->text().toStdString());
}
if(!amt->validate()){
@@ -342,7 +341,7 @@ void MultisigDialog::on_createButton_clicked()
continue;
}
- CScript scriptPubKey = GetScriptForDestination(address);
+ CScript scriptPubKey = GetScriptForDestination(address.Get());
CTxOut out(amt->value(), scriptPubKey);
vUserOut.push_back(out);
}
@@ -782,15 +781,15 @@ bool MultisigDialog::createRedeemScript(int m, vector vKeys, CScript& re
string keyString = *it;
#ifdef ENABLE_WALLET
// Case 1: ION address and we have full public key:
- if (pwalletMain && IsValidDestinationString(keyString)) {
- CTxDestination address = DecodeDestination(keyString);
- const CKeyID *keyID = boost::get(&address);
- if (!keyID) {
+ CBitcoinAddress address(keyString);
+ if (pwalletMain && address.IsValid()) {
+ CKeyID keyID;
+ if (!address.GetKeyID(keyID)) {
throw runtime_error(
strprintf("%s does not refer to a key", keyString));
}
CPubKey vchPubKey;
- if (!pwalletMain->GetPubKey(*keyID, vchPubKey))
+ if (!pwalletMain->GetPubKey(keyID, vchPubKey))
throw runtime_error(
strprintf("no full public key for address %s", keyString));
if (!vchPubKey.IsFullyValid()){
diff --git a/src/qt/multisigdialog.h b/src/qt/multisigdialog.h
index ddd32b265ff02..152f2c2752b94 100644
--- a/src/qt/multisigdialog.h
+++ b/src/qt/multisigdialog.h
@@ -1,5 +1,4 @@
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/networkstyle.cpp b/src/qt/networkstyle.cpp
index 742c494eb0064..1db5794681dee 100644
--- a/src/qt/networkstyle.cpp
+++ b/src/qt/networkstyle.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/notificator.cpp b/src/qt/notificator.cpp
index 73a9155cdfd24..727d5c02caf0d 100644
--- a/src/qt/notificator.cpp
+++ b/src/qt/notificator.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/notificator.h b/src/qt/notificator.h
index 0202a116906c3..209234104d48e 100644
--- a/src/qt/notificator.h
+++ b/src/qt/notificator.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/obfuscationconfig.cpp b/src/qt/obfuscationconfig.cpp
index e1101932969ff..6c6d023b2ce3f 100644
--- a/src/qt/obfuscationconfig.cpp
+++ b/src/qt/obfuscationconfig.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2014-2016 The Dash Developers
// Copyright (c) 2016-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/obfuscationconfig.h b/src/qt/obfuscationconfig.h
index 65f6ad58aebb9..598bb8ddfdbeb 100644
--- a/src/qt/obfuscationconfig.h
+++ b/src/qt/obfuscationconfig.h
@@ -1,6 +1,5 @@
// Copyright (c) 2014-2016 The Dash Developers
// Copyright (c) 2016-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/openuridialog.cpp b/src/qt/openuridialog.cpp
index 3bcc16e007651..08e69f8545982 100644
--- a/src/qt/openuridialog.cpp
+++ b/src/qt/openuridialog.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/openuridialog.h b/src/qt/openuridialog.h
index e7eff07aca59c..d674eadd56678 100644
--- a/src/qt/openuridialog.h
+++ b/src/qt/openuridialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/optionsdialog.cpp b/src/qt/optionsdialog.cpp
index f7f4e2bcbc31c..c4ffec8ccfe88 100644
--- a/src/qt/optionsdialog.cpp
+++ b/src/qt/optionsdialog.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -21,7 +20,7 @@
#include "txdb.h" // for -dbcache defaults
#ifdef ENABLE_WALLET
-#include "wallet.h" // for CWallet::GetRequiredFee()
+#include "wallet/wallet.h" // for CWallet::minTxFee
#endif
#include
diff --git a/src/qt/optionsdialog.h b/src/qt/optionsdialog.h
index ef39989ea6dd4..0536bdfc457a6 100644
--- a/src/qt/optionsdialog.h
+++ b/src/qt/optionsdialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/optionsmodel.cpp b/src/qt/optionsmodel.cpp
index d8582d602bb50..5883fe2f1a8f3 100644
--- a/src/qt/optionsmodel.cpp
+++ b/src/qt/optionsmodel.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -23,8 +22,8 @@
#ifdef ENABLE_WALLET
#include "masternodeconfig.h"
-#include "wallet.h"
-#include "walletdb.h"
+#include "wallet/wallet.h"
+#include "wallet/walletdb.h"
#endif
#include
diff --git a/src/qt/optionsmodel.h b/src/qt/optionsmodel.h
index 4b49466932cea..b1b98079ed58a 100644
--- a/src/qt/optionsmodel.h
+++ b/src/qt/optionsmodel.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/overviewpage.cpp b/src/qt/overviewpage.cpp
index 3f5b46dc77878..a7f7b6b925c77 100644
--- a/src/qt/overviewpage.cpp
+++ b/src/qt/overviewpage.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/overviewpage.h b/src/qt/overviewpage.h
index 5ff56766fd4d6..108030039a100 100644
--- a/src/qt/overviewpage.h
+++ b/src/qt/overviewpage.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/paymentrequestplus.cpp b/src/qt/paymentrequestplus.cpp
index 4933fc538d757..5aede5bcedb25 100644
--- a/src/qt/paymentrequestplus.cpp
+++ b/src/qt/paymentrequestplus.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/paymentrequestplus.h b/src/qt/paymentrequestplus.h
index 122ad46a8aace..73763c66e4179 100644
--- a/src/qt/paymentrequestplus.h
+++ b/src/qt/paymentrequestplus.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/paymentserver.cpp b/src/qt/paymentserver.cpp
index 4eb8769e39075..4c796ec0f3331 100644
--- a/src/qt/paymentserver.cpp
+++ b/src/qt/paymentserver.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -15,7 +14,7 @@
#include "chainparams.h"
#include "ui_interface.h"
#include "util.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include
@@ -198,9 +197,11 @@ void PaymentServer::ipcParseCommandLine(int argc, char* argv[])
SendCoinsRecipient r;
if (GUIUtil::parseBitcoinURI(arg, &r) && !r.address.isEmpty()) {
- if (IsValidDestinationString(r.address.toStdString(), Params(CBaseChainParams::MAIN))) {
+ CBitcoinAddress address(r.address.toStdString());
+
+ if (address.IsValid(Params(CBaseChainParams::MAIN))) {
SelectParams(CBaseChainParams::MAIN);
- } else if (IsValidDestinationString(r.address.toStdString(), Params(CBaseChainParams::TESTNET))) {
+ } else if (address.IsValid(Params(CBaseChainParams::TESTNET))) {
SelectParams(CBaseChainParams::TESTNET);
}
}
@@ -390,7 +391,8 @@ void PaymentServer::handleURIOrFile(const QString& s)
{
SendCoinsRecipient recipient;
if (GUIUtil::parseBitcoinURI(s, &recipient)) {
- if (!IsValidDestinationString(recipient.address.toStdString())) {
+ CBitcoinAddress address(recipient.address.toStdString());
+ if (!address.IsValid()) {
emit message(tr("URI handling"), tr("Invalid payment address %1").arg(recipient.address),
CClientUIInterface::MSG_ERROR);
} else
@@ -510,7 +512,7 @@ bool PaymentServer::processPaymentRequest(PaymentRequestPlus& request, SendCoins
CTxDestination dest;
if (ExtractDestination(sendingTo.first, dest)) {
// Append destination address
- addresses.append(QString::fromStdString(EncodeDestination(dest)));
+ addresses.append(QString::fromStdString(CBitcoinAddress(dest).ToString()));
} else if (!recipient.authenticatedMerchant.isEmpty()) {
// Insecure payments to custom ion addresses are not supported
// (there is no good way to tell the user where they are paying in a way
diff --git a/src/qt/peertablemodel.cpp b/src/qt/peertablemodel.cpp
index f5c415d0c13a8..0a6f38b93f85f 100644
--- a/src/qt/peertablemodel.cpp
+++ b/src/qt/peertablemodel.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/peertablemodel.h b/src/qt/peertablemodel.h
index 8483ed628c02e..34853d378e6c5 100644
--- a/src/qt/peertablemodel.h
+++ b/src/qt/peertablemodel.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/platformstyle.cpp b/src/qt/platformstyle.cpp
index dfd290a3fb870..19d16131ececf 100644
--- a/src/qt/platformstyle.cpp
+++ b/src/qt/platformstyle.cpp
@@ -1,6 +1,5 @@
-// Copyright (c) 2015-2019 The Bitcoin Core developers
+// Copyright (c) 2015 The Bitcoin Core developers
// Copyright (c) 2016-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/platformstyle.h b/src/qt/platformstyle.h
index 0be70b789982f..ce099ccaacd76 100644
--- a/src/qt/platformstyle.h
+++ b/src/qt/platformstyle.h
@@ -1,6 +1,5 @@
-// Copyright (c) 2015-2019 The Bitcoin Core developers
+// Copyright (c) 2015 The Bitcoin Core developers
// Copyright (c) 2016-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/privacydialog.cpp b/src/qt/privacydialog.cpp
index a043bd9af83af..fd18c40f9a4f1 100644
--- a/src/qt/privacydialog.cpp
+++ b/src/qt/privacydialog.cpp
@@ -1,5 +1,4 @@
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -23,8 +22,8 @@
#include
#include
#include
-#include
-#include
+#include
+#include
PrivacyDialog::PrivacyDialog(QWidget* parent) : QDialog(parent, Qt::WindowSystemMenuHint | Qt::WindowTitleHint | Qt::WindowCloseButtonHint | Qt::WindowCloseButtonHint),
ui(new Ui::PrivacyDialog),
@@ -36,7 +35,7 @@ PrivacyDialog::PrivacyDialog(QWidget* parent) : QDialog(parent, Qt::WindowSystem
ui->setupUi(this);
// "Spending 999999 xION ought to be enough for anybody." - Bill Gates, 2017
- ui->xIONpayAmount->setValidator( new QDoubleValidator(0.0, 38600000.0, 20, this) );
+ ui->xIONpayAmount->setValidator( new QDoubleValidator(0.0, 21000000.0, 20, this) );
ui->labelMintAmountValue->setValidator( new QIntValidator(0, 999999, this) );
// Default texts for (mini-) coincontrol
@@ -86,14 +85,6 @@ PrivacyDialog::PrivacyDialog(QWidget* parent) : QDialog(parent, Qt::WindowSystem
// ION settings
QSettings settings;
- if (!settings.contains("nSecurityLevel")){
- nSecurityLevel = 42;
- settings.setValue("nSecurityLevel", nSecurityLevel);
- }
- else{
- nSecurityLevel = settings.value("nSecurityLevel").toInt();
- }
-
if (!settings.contains("fMinimizeChange")){
fMinimizeChange = false;
settings.setValue("fMinimizeChange", fMinimizeChange);
@@ -141,7 +132,6 @@ void PrivacyDialog::setModel(WalletModel* walletModel)
SLOT(setBalance(CAmount, CAmount, CAmount, CAmount, CAmount, CAmount, CAmount, CAmount, CAmount)));
connect(walletModel->getOptionsModel(), SIGNAL(zeromintEnableChanged(bool)), this, SLOT(updateAutomintStatus()));
connect(walletModel->getOptionsModel(), SIGNAL(zeromintPercentageChanged(int)), this, SLOT(updateAutomintStatus()));
- ui->securityLevel->setValue(nSecurityLevel);
}
}
@@ -329,19 +319,18 @@ void PrivacyDialog::sendxION()
QSettings settings;
// Handle 'Pay To' address options
+ CBitcoinAddress address(ui->payTo->text().toStdString());
if(ui->payTo->text().isEmpty()){
QMessageBox::information(this, tr("Spend Zerocoin"), tr("No 'Pay To' address provided, creating local payment"), QMessageBox::Ok, QMessageBox::Ok);
}
else{
- if (!IsValidDestinationString(ui->payTo->text().toStdString())) {
+ if (!address.IsValid()) {
QMessageBox::warning(this, tr("Spend Zerocoin"), tr("Invalid Ion Address"), QMessageBox::Ok, QMessageBox::Ok);
ui->payTo->setFocus();
return;
}
}
- CTxDestination dest = DecodeDestination(ui->payTo->text().toStdString());
-
// Double is allowed now
double dAmount = ui->xIONpayAmount->text().toDouble();
CAmount nAmount = roundint64(dAmount* COIN);
@@ -382,10 +371,6 @@ void PrivacyDialog::sendxION()
}
}
- // Persist Security Level for next start
- nSecurityLevel = ui->securityLevel->value();
- settings.setValue("nSecurityLevel", nSecurityLevel);
-
// Spend confirmation message box
// Add address info if available
@@ -397,15 +382,14 @@ void PrivacyDialog::sendxION()
// General info
QString strQuestionString = tr("Are you sure you want to send?
");
QString strAmount = "" + QString::number(dAmount, 'f', 8) + " xION";
- QString strAddress = tr(" to address ") + QString::fromStdString(EncodeDestination(dest)) + strAddressLabel + "
";
+ QString strAddress = tr(" to address ") + QString::fromStdString(address.ToString()) + strAddressLabel + "
";
if(ui->payTo->text().isEmpty()){
// No address provided => send to local address
strAddress = tr(" to a newly generated (unused and therefore anonymous) local address
");
}
- QString strSecurityLevel = tr("with Security Level ") + ui->securityLevel->text() + " ?";
- strQuestionString += strAmount + strAddress + strSecurityLevel;
+ strQuestionString += strAmount + strAddress;
// Display message box
QMessageBox::StandardButton retval = QMessageBox::question(this, tr("Confirm send coins"),
@@ -419,7 +403,7 @@ void PrivacyDialog::sendxION()
}
int64_t nTime = GetTimeMillis();
- ui->TEMintStatus->setPlainText(tr("Spending Zerocoin.\nComputationally expensive, might need several minutes depending on the selected Security Level and your hardware.\nPlease be patient..."));
+ ui->TEMintStatus->setPlainText(tr("Spending Zerocoin.\nComputationally expensive, might need several minutes depending on your hardware.\nPlease be patient..."));
ui->TEMintStatus->repaint();
// use mints from xION selector if applicable
@@ -429,15 +413,6 @@ void PrivacyDialog::sendxION()
vMintsToFetch = XIonControlDialog::GetSelectedMints();
for (auto& meta : vMintsToFetch) {
- if (meta.nVersion < libzerocoin::PrivateCoin::PUBKEY_VERSION) {
- //version 1 coins have to use full security level to successfully spend.
- if (nSecurityLevel < 100) {
- QMessageBox::warning(this, tr("Spend Zerocoin"), tr("Version 1 xION require a security level of 100 to successfully spend."), QMessageBox::Ok, QMessageBox::Ok);
- ui->TEMintStatus->setPlainText(tr("Failed to spend xION"));
- ui->TEMintStatus->repaint();
- return;
- }
- }
CZerocoinMint mint;
if (!pwalletMain->GetMint(meta.hashSerial, mint)) {
ui->TEMintStatus->setPlainText(tr("Failed to fetch mint associated with serial hash"));
@@ -454,22 +429,15 @@ void PrivacyDialog::sendxION()
bool fSuccess = false;
if(ui->payTo->text().isEmpty()){
// Spend to newly generated local address
- fSuccess = pwalletMain->SpendZerocoin(nAmount, nSecurityLevel, wtxNew, receipt, vMintsSelected, fMintChange, fMinimizeChange);
+ fSuccess = pwalletMain->SpendZerocoin(nAmount, wtxNew, receipt, vMintsSelected, fMintChange, fMinimizeChange);
}
else {
// Spend to supplied destination address
- fSuccess = pwalletMain->SpendZerocoin(nAmount, nSecurityLevel, wtxNew, receipt, vMintsSelected, fMintChange, fMinimizeChange, &dest);
+ fSuccess = pwalletMain->SpendZerocoin(nAmount, wtxNew, receipt, vMintsSelected, fMintChange, fMinimizeChange, &address);
}
// Display errors during spend
if (!fSuccess) {
- if (receipt.GetStatus() == XION_SPEND_V1_SEC_LEVEL) {
- QMessageBox::warning(this, tr("Spend Zerocoin"), tr("Version 1 xION require a security level of 100 to successfully spend."), QMessageBox::Ok, QMessageBox::Ok);
- ui->TEMintStatus->setPlainText(tr("Failed to spend xION"));
- ui->TEMintStatus->repaint();
- return;
- }
-
int nNeededSpends = receipt.GetNeededSpends(); // Number of spends we would need for this transaction
const int nMaxSpends = Params().Zerocoin_MaxSpendsPerTransaction(); // Maximum possible spends for one xION transaction
if (nNeededSpends > nMaxSpends) {
@@ -492,9 +460,9 @@ void PrivacyDialog::sendxION()
// If xION was spent successfully update the addressbook with the label
std::string labelText = ui->addAsLabel->text().toStdString();
if (!labelText.empty())
- walletModel->updateAddressBookLabels(dest, labelText, "send");
+ walletModel->updateAddressBookLabels(address.Get(), labelText, "send");
else
- walletModel->updateAddressBookLabels(dest, "(no label)", "send");
+ walletModel->updateAddressBookLabels(address.Get(), "(no label)", "send");
}
// Clear xion selector in case it was used
@@ -525,7 +493,7 @@ void PrivacyDialog::sendxION()
if(txout.scriptPubKey.IsZerocoinMint())
strStats += tr("xION Mint");
else if(ExtractDestination(txout.scriptPubKey, dest))
- strStats += tr(EncodeDestination(dest).c_str());
+ strStats += tr(CBitcoinAddress(dest).ToString().c_str());
strStats += "\n";
}
double fDuration = (double)(GetTimeMillis() - nTime)/1000.0;
diff --git a/src/qt/privacydialog.h b/src/qt/privacydialog.h
index 67a2e1efc1102..32b01cf7bb1c8 100644
--- a/src/qt/privacydialog.h
+++ b/src/qt/privacydialog.h
@@ -1,5 +1,4 @@
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -50,7 +49,7 @@ class PrivacyDialog : public QDialog
void setXIonControlLabels(int64_t nAmount, int nQuantity);
public slots:
- void setBalance(const CAmount& balance, const CAmount& unconfirmedBalance, const CAmount& immatureBalance,
+ void setBalance(const CAmount& balance, const CAmount& unconfirmedBalance, const CAmount& immatureBalance,
const CAmount& zerocoinBalance, const CAmount& unconfirmedZerocoinBalance, const CAmount& immatureZerocoinBalance,
const CAmount& watchOnlyBalance, const CAmount& watchUnconfBalance, const CAmount& watchImmatureBalance);
protected:
@@ -71,8 +70,7 @@ public slots:
CAmount currentWatchOnlyBalance;
CAmount currentWatchUnconfBalance;
CAmount currentWatchImmatureBalance;
-
- int nSecurityLevel = 0;
+
bool fMinimizeChange = false;
bool fDenomsMinimized;
diff --git a/src/qt/qvalidatedlineedit.cpp b/src/qt/qvalidatedlineedit.cpp
index 3b76b0fddacc0..e85d884af5d98 100644
--- a/src/qt/qvalidatedlineedit.cpp
+++ b/src/qt/qvalidatedlineedit.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/qvaluecombobox.cpp b/src/qt/qvaluecombobox.cpp
index 73b5a31903f38..3b1e8f2846a7d 100644
--- a/src/qt/qvaluecombobox.cpp
+++ b/src/qt/qvaluecombobox.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/receivecoinsdialog.cpp b/src/qt/receivecoinsdialog.cpp
index 1b518cfb13aa6..d49d018ca68b7 100644
--- a/src/qt/receivecoinsdialog.cpp
+++ b/src/qt/receivecoinsdialog.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -296,7 +295,7 @@ void ReceiveCoinsDialog::copyAddress()
void ReceiveCoinsDialog::receiveAddressUsed()
{
- if ((!ui->reuseAddress->isChecked()) && model && model->isUsed(DecodeDestination(address.toStdString()))) {
+ if ((!ui->reuseAddress->isChecked()) && model && model->isUsed(CBitcoinAddress(address.toStdString()))) {
address = getAddress();
clear();
}
diff --git a/src/qt/receivecoinsdialog.h b/src/qt/receivecoinsdialog.h
index c683bb6091245..34187cf02f5e8 100644
--- a/src/qt/receivecoinsdialog.h
+++ b/src/qt/receivecoinsdialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/receiverequestdialog.cpp b/src/qt/receiverequestdialog.cpp
index ca403d874d20f..9776fa84bc006 100644
--- a/src/qt/receiverequestdialog.cpp
+++ b/src/qt/receiverequestdialog.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/receiverequestdialog.h b/src/qt/receiverequestdialog.h
index 89d87f54992b8..8c12026730e8f 100644
--- a/src/qt/receiverequestdialog.h
+++ b/src/qt/receiverequestdialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/recentrequeststablemodel.cpp b/src/qt/recentrequeststablemodel.cpp
index 609a85d64b890..881e5b335f285 100644
--- a/src/qt/recentrequeststablemodel.cpp
+++ b/src/qt/recentrequeststablemodel.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/recentrequeststablemodel.h b/src/qt/recentrequeststablemodel.h
index 01a7f40bde022..2d5222b747cca 100644
--- a/src/qt/recentrequeststablemodel.h
+++ b/src/qt/recentrequeststablemodel.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/res/css/default.css b/src/qt/res/css/default.css
index ba14ba7acafa2..840aa62f42de2 100755
--- a/src/qt/res/css/default.css
+++ b/src/qt/res/css/default.css
@@ -22,7 +22,7 @@
/****************************************************************************************/
WalletFrame {
-border-image: url(':/images/walletFrame_bg') 0 0 0 0 stretch stretch;
+background-color:#ffffff;
border-top:0px solid #000;
margin:0;
padding:0;
@@ -1715,8 +1715,8 @@ QWidget#GovernancePage .ProposalFrame {
}
QWidget#GovernancePage .ProposalFrame#proposalFrame {
- background-color:qlineargradient(x1: 0, y1: 0, x2: 1, y2: 0, stop: 0 #9179c7, stop: 1 #b396f6);
- border:1px solid #b396f6;
+ background-color:qlineargradient(x1: 0, y1: 0, x2: 1, y2: 0, stop: 0 #adb0d8, stop: 1 #17b7f7);
+ border:1px solid #17b7f7;
}
QWidget#GovernancePage .ProposalFrame#proposalFramePassing {
@@ -1739,4 +1739,4 @@ QWidget#GovernancePage .QScrollArea, .QWidget#scrollAreaWidgetContents {
QWidget#GovernancePage .QGridLayout#proposalGrid {
margin-right:35px!important;
padding-right:35px!important;
-}
\ No newline at end of file
+}
diff --git a/src/qt/res/icons/abstainvote.png b/src/qt/res/icons/abstainvote.png
index 780b97ea4f5b1..2a3562c98f224 100644
Binary files a/src/qt/res/icons/abstainvote.png and b/src/qt/res/icons/abstainvote.png differ
diff --git a/src/qt/res/icons/add.png b/src/qt/res/icons/add.png
index 263ba7424a82e..b158099b18e88 100644
Binary files a/src/qt/res/icons/add.png and b/src/qt/res/icons/add.png differ
diff --git a/src/qt/res/icons/address-book.png b/src/qt/res/icons/address-book.png
index 5db54fddfc7c6..e273eec3e9a76 100644
Binary files a/src/qt/res/icons/address-book.png and b/src/qt/res/icons/address-book.png differ
diff --git a/src/qt/res/icons/automint_active.png b/src/qt/res/icons/automint_active.png
index 113e9fc20df36..fa41b9f92d127 100644
Binary files a/src/qt/res/icons/automint_active.png and b/src/qt/res/icons/automint_active.png differ
diff --git a/src/qt/res/icons/automint_inactive.png b/src/qt/res/icons/automint_inactive.png
index fb282ef8e7462..2c1ae35fabe63 100644
Binary files a/src/qt/res/icons/automint_inactive.png and b/src/qt/res/icons/automint_inactive.png differ
diff --git a/src/qt/res/icons/bittrex.png b/src/qt/res/icons/bittrex.png
deleted file mode 100644
index 55ac9a8e440f3..0000000000000
Binary files a/src/qt/res/icons/bittrex.png and /dev/null differ
diff --git a/src/qt/res/icons/browse.png b/src/qt/res/icons/browse.png
index 243819ffaf9ff..2ef164bfa04d5 100644
Binary files a/src/qt/res/icons/browse.png and b/src/qt/res/icons/browse.png differ
diff --git a/src/qt/res/icons/clock1.png b/src/qt/res/icons/clock1.png
index 214ac9b9f04a5..968df5de96584 100644
Binary files a/src/qt/res/icons/clock1.png and b/src/qt/res/icons/clock1.png differ
diff --git a/src/qt/res/icons/clock2.png b/src/qt/res/icons/clock2.png
index 5b0dd7afe391b..081cb8871282b 100644
Binary files a/src/qt/res/icons/clock2.png and b/src/qt/res/icons/clock2.png differ
diff --git a/src/qt/res/icons/clock3.png b/src/qt/res/icons/clock3.png
index 523139f8fc11e..31b2c0d428939 100644
Binary files a/src/qt/res/icons/clock3.png and b/src/qt/res/icons/clock3.png differ
diff --git a/src/qt/res/icons/clock4.png b/src/qt/res/icons/clock4.png
index c007f501fdd21..6099f63a5859c 100644
Binary files a/src/qt/res/icons/clock4.png and b/src/qt/res/icons/clock4.png differ
diff --git a/src/qt/res/icons/configure.png b/src/qt/res/icons/configure.png
index abbbbc27cf402..fc4a548d256f4 100644
Binary files a/src/qt/res/icons/configure.png and b/src/qt/res/icons/configure.png differ
diff --git a/src/qt/res/icons/connect0_16.png b/src/qt/res/icons/connect0_16.png
index ad72f1bbfb1e5..caa7f0abaf08b 100644
Binary files a/src/qt/res/icons/connect0_16.png and b/src/qt/res/icons/connect0_16.png differ
diff --git a/src/qt/res/icons/connect1_16.png b/src/qt/res/icons/connect1_16.png
index e5c0e1ff10e8b..c2f5bd155de8f 100644
Binary files a/src/qt/res/icons/connect1_16.png and b/src/qt/res/icons/connect1_16.png differ
diff --git a/src/qt/res/icons/connect2_16.png b/src/qt/res/icons/connect2_16.png
index c07a7f80cdb3f..abc6d0f2bb40a 100644
Binary files a/src/qt/res/icons/connect2_16.png and b/src/qt/res/icons/connect2_16.png differ
diff --git a/src/qt/res/icons/connect3_16.png b/src/qt/res/icons/connect3_16.png
index 71f174a43d783..2559330fdc382 100644
Binary files a/src/qt/res/icons/connect3_16.png and b/src/qt/res/icons/connect3_16.png differ
diff --git a/src/qt/res/icons/connect4_16.png b/src/qt/res/icons/connect4_16.png
index 89b9bd9d804be..746e515597308 100644
Binary files a/src/qt/res/icons/connect4_16.png and b/src/qt/res/icons/connect4_16.png differ
diff --git a/src/qt/res/icons/edit.png b/src/qt/res/icons/edit.png
index 3be65327d58eb..1273d3e048a42 100644
Binary files a/src/qt/res/icons/edit.png and b/src/qt/res/icons/edit.png differ
diff --git a/src/qt/res/icons/editcopy.png b/src/qt/res/icons/editcopy.png
index 1dd4bf8f30e65..628280d164abf 100644
Binary files a/src/qt/res/icons/editcopy.png and b/src/qt/res/icons/editcopy.png differ
diff --git a/src/qt/res/icons/editpaste.png b/src/qt/res/icons/editpaste.png
index 215c1aa462397..528347d18491d 100644
Binary files a/src/qt/res/icons/editpaste.png and b/src/qt/res/icons/editpaste.png differ
diff --git a/src/qt/res/icons/explorer.png b/src/qt/res/icons/explorer.png
index 0417ca092dea0..250aed99490fd 100644
Binary files a/src/qt/res/icons/explorer.png and b/src/qt/res/icons/explorer.png differ
diff --git a/src/qt/res/icons/export.png b/src/qt/res/icons/export.png
index 437c4f073ae3c..5e3e69b492030 100644
Binary files a/src/qt/res/icons/export.png and b/src/qt/res/icons/export.png differ
diff --git a/src/qt/res/icons/eye.png b/src/qt/res/icons/eye.png
index 28d8f8a8ff571..86dd858064505 100644
Binary files a/src/qt/res/icons/eye.png and b/src/qt/res/icons/eye.png differ
diff --git a/src/qt/res/icons/eye_minus.png b/src/qt/res/icons/eye_minus.png
index 1b9555dc6678e..40ee0065cd432 100644
Binary files a/src/qt/res/icons/eye_minus.png and b/src/qt/res/icons/eye_minus.png differ
diff --git a/src/qt/res/icons/eye_plus.png b/src/qt/res/icons/eye_plus.png
index f3d862ea9e6cc..2dbdffcb36adf 100644
Binary files a/src/qt/res/icons/eye_plus.png and b/src/qt/res/icons/eye_plus.png differ
diff --git a/src/qt/res/icons/filesave.png b/src/qt/res/icons/filesave.png
index 243819ffaf9ff..d8480383c0178 100644
Binary files a/src/qt/res/icons/filesave.png and b/src/qt/res/icons/filesave.png differ
diff --git a/src/qt/res/icons/governance.png b/src/qt/res/icons/governance.png
index 4e63ccef1e629..2727b7acbcc71 100644
Binary files a/src/qt/res/icons/governance.png and b/src/qt/res/icons/governance.png differ
diff --git a/src/qt/res/icons/governance_dark.png b/src/qt/res/icons/governance_dark.png
index 57e5e1f98bdb1..d4c09e48ad72d 100644
Binary files a/src/qt/res/icons/governance_dark.png and b/src/qt/res/icons/governance_dark.png differ
diff --git a/src/qt/res/icons/governance_dark_regtest.png b/src/qt/res/icons/governance_dark_regtest.png
new file mode 100644
index 0000000000000..fe33bdcf4e921
Binary files /dev/null and b/src/qt/res/icons/governance_dark_regtest.png differ
diff --git a/src/qt/res/icons/governance_dark_testnet.png b/src/qt/res/icons/governance_dark_testnet.png
new file mode 100644
index 0000000000000..dfa248ceb7cb6
Binary files /dev/null and b/src/qt/res/icons/governance_dark_testnet.png differ
diff --git a/src/qt/res/icons/governance_regtest.png b/src/qt/res/icons/governance_regtest.png
new file mode 100644
index 0000000000000..4b2b2b1950223
Binary files /dev/null and b/src/qt/res/icons/governance_regtest.png differ
diff --git a/src/qt/res/icons/governance_testnet.png b/src/qt/res/icons/governance_testnet.png
new file mode 100644
index 0000000000000..f112b8227f49e
Binary files /dev/null and b/src/qt/res/icons/governance_testnet.png differ
diff --git a/src/qt/res/icons/history.png b/src/qt/res/icons/history.png
index 8b132d6d96591..1596fbabe6201 100644
Binary files a/src/qt/res/icons/history.png and b/src/qt/res/icons/history.png differ
diff --git a/src/qt/res/icons/history_regtest.png b/src/qt/res/icons/history_regtest.png
new file mode 100644
index 0000000000000..642731eb534c1
Binary files /dev/null and b/src/qt/res/icons/history_regtest.png differ
diff --git a/src/qt/res/icons/history_testnet.png b/src/qt/res/icons/history_testnet.png
new file mode 100644
index 0000000000000..4b5cbad664803
Binary files /dev/null and b/src/qt/res/icons/history_testnet.png differ
diff --git a/src/qt/res/icons/import.png b/src/qt/res/icons/import.png
index 4bbb395054ae7..a737a01aa8b3f 100644
Binary files a/src/qt/res/icons/import.png and b/src/qt/res/icons/import.png differ
diff --git a/src/qt/res/icons/ion.icns b/src/qt/res/icons/ion.icns
index c4d892de40ad9..3475f37803e5d 100644
Binary files a/src/qt/res/icons/ion.icns and b/src/qt/res/icons/ion.icns differ
diff --git a/src/qt/res/icons/ion.ico b/src/qt/res/icons/ion.ico
index 19a4081c21524..fad179e3de145 100644
Binary files a/src/qt/res/icons/ion.ico and b/src/qt/res/icons/ion.ico differ
diff --git a/src/qt/res/icons/ion.png b/src/qt/res/icons/ion.png
index 8a1f6072f02ea..f1d3d2e85685d 100644
Binary files a/src/qt/res/icons/ion.png and b/src/qt/res/icons/ion.png differ
diff --git a/src/qt/res/icons/ion_regtest.icns b/src/qt/res/icons/ion_regtest.icns
new file mode 100644
index 0000000000000..275afaed6a07a
Binary files /dev/null and b/src/qt/res/icons/ion_regtest.icns differ
diff --git a/src/qt/res/icons/ion_regtest.ico b/src/qt/res/icons/ion_regtest.ico
index 88a5e0894712c..99a8e962648dd 100644
Binary files a/src/qt/res/icons/ion_regtest.ico and b/src/qt/res/icons/ion_regtest.ico differ
diff --git a/src/qt/res/icons/ion_regtest.png b/src/qt/res/icons/ion_regtest.png
index 9fa5f9c62b8c7..039d8fcdcd2b2 100644
Binary files a/src/qt/res/icons/ion_regtest.png and b/src/qt/res/icons/ion_regtest.png differ
diff --git a/src/qt/res/icons/ion_testnet.icns b/src/qt/res/icons/ion_testnet.icns
new file mode 100644
index 0000000000000..b40219e277e97
Binary files /dev/null and b/src/qt/res/icons/ion_testnet.icns differ
diff --git a/src/qt/res/icons/ion_testnet.ico b/src/qt/res/icons/ion_testnet.ico
index 2f615459b7d50..6ba31815faaa5 100644
Binary files a/src/qt/res/icons/ion_testnet.ico and b/src/qt/res/icons/ion_testnet.ico differ
diff --git a/src/qt/res/icons/ion_testnet.png b/src/qt/res/icons/ion_testnet.png
index 5f152f6f22072..fae922e6597f1 100644
Binary files a/src/qt/res/icons/ion_testnet.png and b/src/qt/res/icons/ion_testnet.png differ
diff --git a/src/qt/res/icons/key.png b/src/qt/res/icons/key.png
index d9381c6498189..0ccbf166bbe48 100644
Binary files a/src/qt/res/icons/key.png and b/src/qt/res/icons/key.png differ
diff --git a/src/qt/res/icons/lock_closed.png b/src/qt/res/icons/lock_closed.png
index b1a5ec9c61a8a..aa77f22cce117 100644
Binary files a/src/qt/res/icons/lock_closed.png and b/src/qt/res/icons/lock_closed.png differ
diff --git a/src/qt/res/icons/lock_open.png b/src/qt/res/icons/lock_open.png
index 30919b5adb45c..89d4c6c73defa 100644
Binary files a/src/qt/res/icons/lock_open.png and b/src/qt/res/icons/lock_open.png differ
diff --git a/src/qt/res/icons/masternodes.png b/src/qt/res/icons/masternodes.png
index 229af1f5e3228..a3019bb0890c6 100644
Binary files a/src/qt/res/icons/masternodes.png and b/src/qt/res/icons/masternodes.png differ
diff --git a/src/qt/res/icons/notsynced.png b/src/qt/res/icons/notsynced.png
index 415a782224195..3754fa9c1218b 100644
Binary files a/src/qt/res/icons/notsynced.png and b/src/qt/res/icons/notsynced.png differ
diff --git a/src/qt/res/icons/novote.png b/src/qt/res/icons/novote.png
index 34c78277e22ce..dc595da01f567 100644
Binary files a/src/qt/res/icons/novote.png and b/src/qt/res/icons/novote.png differ
diff --git a/src/qt/res/icons/onion.png b/src/qt/res/icons/onion.png
index bc7edfcc76388..df235ad43248b 100644
Binary files a/src/qt/res/icons/onion.png and b/src/qt/res/icons/onion.png differ
diff --git a/src/qt/res/icons/overview.png b/src/qt/res/icons/overview.png
index 32c10cebb6897..fac415e9f14d1 100644
Binary files a/src/qt/res/icons/overview.png and b/src/qt/res/icons/overview.png differ
diff --git a/src/qt/res/icons/overview_regtest.png b/src/qt/res/icons/overview_regtest.png
new file mode 100644
index 0000000000000..a612bd34807c0
Binary files /dev/null and b/src/qt/res/icons/overview_regtest.png differ
diff --git a/src/qt/res/icons/overview_testnet.png b/src/qt/res/icons/overview_testnet.png
new file mode 100644
index 0000000000000..2415c62ed86c1
Binary files /dev/null and b/src/qt/res/icons/overview_testnet.png differ
diff --git a/src/qt/res/icons/privacy.png b/src/qt/res/icons/privacy.png
index 9da22252148d4..92abd86bcdaea 100644
Binary files a/src/qt/res/icons/privacy.png and b/src/qt/res/icons/privacy.png differ
diff --git a/src/qt/res/icons/qrcode.png b/src/qt/res/icons/qrcode.png
index f082e0fbf46de..e25e23189b8d5 100644
Binary files a/src/qt/res/icons/qrcode.png and b/src/qt/res/icons/qrcode.png differ
diff --git a/src/qt/res/icons/qrcode_testnet.png b/src/qt/res/icons/qrcode_testnet.png
new file mode 100644
index 0000000000000..2eec14dae6589
Binary files /dev/null and b/src/qt/res/icons/qrcode_testnet.png differ
diff --git a/src/qt/res/icons/quit.png b/src/qt/res/icons/quit.png
index b9ed64e07dd2e..d665592c3eae8 100644
Binary files a/src/qt/res/icons/quit.png and b/src/qt/res/icons/quit.png differ
diff --git a/src/qt/res/icons/receive.png b/src/qt/res/icons/receive.png
index ee996172d91c6..fa304021620f2 100644
Binary files a/src/qt/res/icons/receive.png and b/src/qt/res/icons/receive.png differ
diff --git a/src/qt/res/icons/receive_dark.png b/src/qt/res/icons/receive_dark.png
index 5630d18b330bc..4ec465cb26190 100644
Binary files a/src/qt/res/icons/receive_dark.png and b/src/qt/res/icons/receive_dark.png differ
diff --git a/src/qt/res/icons/remove.png b/src/qt/res/icons/remove.png
index 8e472cf9073c3..f977769dd007c 100644
Binary files a/src/qt/res/icons/remove.png and b/src/qt/res/icons/remove.png differ
diff --git a/src/qt/res/icons/send.png b/src/qt/res/icons/send.png
index 1b14cb2bbef64..3d84cdd5307e9 100644
Binary files a/src/qt/res/icons/send.png and b/src/qt/res/icons/send.png differ
diff --git a/src/qt/res/icons/send_dark.png b/src/qt/res/icons/send_dark.png
index 29e1312a8da97..4b98c9efbaec9 100644
Binary files a/src/qt/res/icons/send_dark.png and b/src/qt/res/icons/send_dark.png differ
diff --git a/src/qt/res/icons/staking_active.png b/src/qt/res/icons/staking_active.png
index 9908ba8241f0b..56bed1034a77e 100644
Binary files a/src/qt/res/icons/staking_active.png and b/src/qt/res/icons/staking_active.png differ
diff --git a/src/qt/res/icons/staking_inactive.png b/src/qt/res/icons/staking_inactive.png
index abdfd0d4b44e9..2d002a27d024a 100644
Binary files a/src/qt/res/icons/staking_inactive.png and b/src/qt/res/icons/staking_inactive.png differ
diff --git a/src/qt/res/icons/synced.png b/src/qt/res/icons/synced.png
index 8403da7555e16..63e1c8a574ca0 100644
Binary files a/src/qt/res/icons/synced.png and b/src/qt/res/icons/synced.png differ
diff --git a/src/qt/res/icons/trade.png b/src/qt/res/icons/trade.png
deleted file mode 100644
index 91ced8488291f..0000000000000
Binary files a/src/qt/res/icons/trade.png and /dev/null differ
diff --git a/src/qt/res/icons/transaction0.png b/src/qt/res/icons/transaction0.png
index 4d0c9a43eabcf..42aff71d80e40 100644
Binary files a/src/qt/res/icons/transaction0.png and b/src/qt/res/icons/transaction0.png differ
diff --git a/src/qt/res/icons/transaction0_dark.png b/src/qt/res/icons/transaction0_dark.png
index f5eac8f027da1..22b1c60ccd838 100644
Binary files a/src/qt/res/icons/transaction0_dark.png and b/src/qt/res/icons/transaction0_dark.png differ
diff --git a/src/qt/res/icons/transaction2.png b/src/qt/res/icons/transaction2.png
index 8e619420ef860..b7dbae89fff28 100644
Binary files a/src/qt/res/icons/transaction2.png and b/src/qt/res/icons/transaction2.png differ
diff --git a/src/qt/res/icons/transaction_conflicted.png b/src/qt/res/icons/transaction_conflicted.png
index 6bd7ca6321a5c..621d83c865688 100644
Binary files a/src/qt/res/icons/transaction_conflicted.png and b/src/qt/res/icons/transaction_conflicted.png differ
diff --git a/src/qt/res/icons/tx_inout.png b/src/qt/res/icons/tx_inout.png
index 3402c228abee5..d962cb0ed5de2 100644
Binary files a/src/qt/res/icons/tx_inout.png and b/src/qt/res/icons/tx_inout.png differ
diff --git a/src/qt/res/icons/tx_input.png b/src/qt/res/icons/tx_input.png
index 8021125bd1035..bb6689b522d33 100644
Binary files a/src/qt/res/icons/tx_input.png and b/src/qt/res/icons/tx_input.png differ
diff --git a/src/qt/res/icons/tx_mined.png b/src/qt/res/icons/tx_mined.png
index 63913abde3d52..5385ae087721b 100644
Binary files a/src/qt/res/icons/tx_mined.png and b/src/qt/res/icons/tx_mined.png differ
diff --git a/src/qt/res/icons/tx_output.png b/src/qt/res/icons/tx_output.png
index 08740a6a177f1..35187ea777bd4 100644
Binary files a/src/qt/res/icons/tx_output.png and b/src/qt/res/icons/tx_output.png differ
diff --git a/src/qt/res/icons/unit_ion.png b/src/qt/res/icons/unit_ion.png
index eeaf9e3e59ba7..5d049798cb041 100644
Binary files a/src/qt/res/icons/unit_ion.png and b/src/qt/res/icons/unit_ion.png differ
diff --git a/src/qt/res/icons/unit_mion.png b/src/qt/res/icons/unit_mion.png
index 917c42bc5e76a..12ed050e2f8f0 100644
Binary files a/src/qt/res/icons/unit_mion.png and b/src/qt/res/icons/unit_mion.png differ
diff --git a/src/qt/res/icons/unit_rion.png b/src/qt/res/icons/unit_rion.png
index 8a3a73412a1ad..68214f32e88f9 100644
Binary files a/src/qt/res/icons/unit_rion.png and b/src/qt/res/icons/unit_rion.png differ
diff --git a/src/qt/res/icons/unit_rmion.png b/src/qt/res/icons/unit_rmion.png
index 3c006ca32e8f8..4611a0857ddcf 100644
Binary files a/src/qt/res/icons/unit_rmion.png and b/src/qt/res/icons/unit_rmion.png differ
diff --git a/src/qt/res/icons/unit_ruion.png b/src/qt/res/icons/unit_ruion.png
index 2875191ac0d9c..86de9b72fe7e9 100644
Binary files a/src/qt/res/icons/unit_ruion.png and b/src/qt/res/icons/unit_ruion.png differ
diff --git a/src/qt/res/icons/unit_tion.png b/src/qt/res/icons/unit_tion.png
index e5f4425538016..94f039bce2c2d 100644
Binary files a/src/qt/res/icons/unit_tion.png and b/src/qt/res/icons/unit_tion.png differ
diff --git a/src/qt/res/icons/unit_tmion.png b/src/qt/res/icons/unit_tmion.png
index 4bdb4c400cbbd..94746f734bd2a 100644
Binary files a/src/qt/res/icons/unit_tmion.png and b/src/qt/res/icons/unit_tmion.png differ
diff --git a/src/qt/res/icons/unit_tuion.png b/src/qt/res/icons/unit_tuion.png
index 4efc7ab9d01ba..7989f91e39494 100644
Binary files a/src/qt/res/icons/unit_tuion.png and b/src/qt/res/icons/unit_tuion.png differ
diff --git a/src/qt/res/icons/unit_uion.png b/src/qt/res/icons/unit_uion.png
index f1c48869895a5..587c35da0e300 100644
Binary files a/src/qt/res/icons/unit_uion.png and b/src/qt/res/icons/unit_uion.png differ
diff --git a/src/qt/res/icons/yesvote.png b/src/qt/res/icons/yesvote.png
index 0883bf9e29387..be52c60c109fa 100644
Binary files a/src/qt/res/icons/yesvote.png and b/src/qt/res/icons/yesvote.png differ
diff --git a/src/qt/res/images/ion_logo_horizontal.png b/src/qt/res/images/ion_logo_horizontal.png
index d2d1a06c88d16..3321676adef1e 100644
Binary files a/src/qt/res/images/ion_logo_horizontal.png and b/src/qt/res/images/ion_logo_horizontal.png differ
diff --git a/src/qt/res/images/ion_logo_horizontal_regtest.png b/src/qt/res/images/ion_logo_horizontal_regtest.png
index 76f87e33efa24..877517a5e58f2 100644
Binary files a/src/qt/res/images/ion_logo_horizontal_regtest.png and b/src/qt/res/images/ion_logo_horizontal_regtest.png differ
diff --git a/src/qt/res/images/ion_logo_horizontal_testnet.png b/src/qt/res/images/ion_logo_horizontal_testnet.png
index 2a78432965640..dbd3813c7399b 100644
Binary files a/src/qt/res/images/ion_logo_horizontal_testnet.png and b/src/qt/res/images/ion_logo_horizontal_testnet.png differ
diff --git a/src/qt/res/images/splash.png b/src/qt/res/images/splash.png
index 58f6a4f09dc4e..2a40364106971 100644
Binary files a/src/qt/res/images/splash.png and b/src/qt/res/images/splash.png differ
diff --git a/src/qt/res/images/splash_regtest.png b/src/qt/res/images/splash_regtest.png
index 382ec3e9f80b6..cb9d7a0a29dc1 100644
Binary files a/src/qt/res/images/splash_regtest.png and b/src/qt/res/images/splash_regtest.png differ
diff --git a/src/qt/res/images/splash_testnet.png b/src/qt/res/images/splash_testnet.png
index 6e91fd87b76c5..a4e9fe9199fe5 100644
Binary files a/src/qt/res/images/splash_testnet.png and b/src/qt/res/images/splash_testnet.png differ
diff --git a/src/qt/res/images/walletFrame.png b/src/qt/res/images/walletFrame.png
deleted file mode 100644
index bf3a6e4891f33..0000000000000
Binary files a/src/qt/res/images/walletFrame.png and /dev/null differ
diff --git a/src/qt/res/images/walletFrame_bg.png b/src/qt/res/images/walletFrame_bg.png
deleted file mode 100644
index 0ebe8a6d276d4..0000000000000
Binary files a/src/qt/res/images/walletFrame_bg.png and /dev/null differ
diff --git a/src/qt/res/ion-qt-res.rc b/src/qt/res/ion-qt-res.rc
index c66fe017deb2a..08189fcdd2127 100644
--- a/src/qt/res/ion-qt-res.rc
+++ b/src/qt/res/ion-qt-res.rc
@@ -20,13 +20,13 @@ BEGIN
BLOCK "040904E4" // U.S. English - multilingual (hex)
BEGIN
VALUE "CompanyName", "ION"
- VALUE "FileDescription", "Ion Core (OSS GUI client for ION)"
+ VALUE "FileDescription", "ION Core (OSS GUI client for ION)"
VALUE "FileVersion", VER_FILEVERSION_STR
VALUE "InternalName", "ion-qt"
VALUE "LegalCopyright", COPYRIGHT_STR
VALUE "LegalTrademarks1", "Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php."
VALUE "OriginalFilename", "ion-qt.exe"
- VALUE "ProductName", "Ion Core"
+ VALUE "ProductName", "ION Core"
VALUE "ProductVersion", VER_PRODUCTVERSION_STR
END
END
diff --git a/src/qt/res/src/LICENSE.md b/src/qt/res/src/LICENSE.md
new file mode 100644
index 0000000000000..2fea486a905c0
--- /dev/null
+++ b/src/qt/res/src/LICENSE.md
@@ -0,0 +1,208 @@
+The Ion Core logo is licensed under CC BY-ND 2.0 UK,
+a registered trademark of Canonical Limited, 2019.
+
+Creative Commons Attribution-NoDerivs 2.0 CREATIVE COMMONS CORPORATION IS
+NOT A LAW FIRM AND DOES NOT PROVIDE LEGAL SERVICES. DISTRIBUTION OF THIS LICENSE
+DOES NOT CREATE AN ATTORNEY-CLIENT RELATIONSHIP. CREATIVE COMMONS PROVIDES
+THIS INFORMATION ON AN "AS-IS" BASIS. CREATIVE COMMONS MAKES NO WARRANTIES
+REGARDING THE INFORMATION PROVIDED, AND DISCLAIMS LIABILITY FOR DAMAGES RESULTING
+FROM ITS USE.
+
+License
+
+THE WORK (AS DEFINED BELOW) IS PROVIDED UNDER THE TERMS OF THIS CREATIVE COMMONS
+PUBLIC LICENSE ("CCPL" OR "LICENSE"). THE WORK IS PROTECTED BY COPYRIGHT AND/OR
+OTHER APPLICABLE LAW. ANY USE OF THE WORK OTHER THAN AS AUTHORIZED UNDER THIS
+LICENSE OR COPYRIGHT LAW IS PROHIBITED.
+
+BY EXERCISING ANY RIGHTS TO THE WORK PROVIDED HERE, YOU ACCEPT AND AGREE TO
+BE BOUND BY THE TERMS OF THIS LICENSE. THE LICENSOR GRANTS YOU THE RIGHTS
+CONTAINED HERE IN CONSIDERATION OF YOUR ACCEPTANCE OF SUCH TERMS AND CONDITIONS.
+
+ 1. Definitions
+
+a. "Collective Work" means a work, such as a periodical issue, anthology or
+encyclopedia, in which the Work in its entirety in unmodified form, along
+with a number of other contributions, constituting separate and independent
+works in themselves, are assembled into a collective whole. A work that constitutes
+a Collective Work will not be considered a Derivative Work (as defined below)
+for the purposes of this License.
+
+b. "Derivative Work" means a work based upon the Work or upon the Work and
+other pre-existing works, such as a translation, musical arrangement, dramatization,
+fictionalization, motion picture version, sound recording, art reproduction,
+abridgment, condensation, or any other form in which the Work may be recast,
+transformed, or adapted, except that a work that constitutes a Collective
+Work will not be considered a Derivative Work for the purpose of this License.
+For the avoidance of doubt, where the Work is a musical composition or sound
+recording, the synchronization of the Work in timed-relation with a moving
+image ("synching") will be considered a Derivative Work for the purpose of
+this License.
+
+c. "Licensor" means the individual or entity that offers the Work under the
+terms of this License.
+
+ d. "Original Author" means the individual or entity who created the Work.
+
+e. "Work" means the copyrightable work of authorship offered under the terms
+of this License.
+
+f. "You" means an individual or entity exercising rights under this License
+who has not previously violated the terms of this License with respect to
+the Work, or who has received express permission from the Licensor to exercise
+rights under this License despite a previous violation.
+
+2. Fair Use Rights. Nothing in this license is intended to reduce, limit,
+or restrict any rights arising from fair use, first sale or other limitations
+on the exclusive rights of the copyright owner under copyright law or other
+applicable laws.
+
+3. License Grant. Subject to the terms and conditions of this License, Licensor
+hereby grants You a worldwide, royalty-free, non-exclusive, perpetual (for
+the duration of the applicable copyright) license to exercise the rights in
+the Work as stated below:
+
+a. to reproduce the Work, to incorporate the Work into one or more Collective
+Works, and to reproduce the Work as incorporated in the Collective Works;
+
+b. to distribute copies or phonorecords of, display publicly, perform publicly,
+and perform publicly by means of a digital audio transmission the Work including
+as incorporated in Collective Works.
+
+ c. For the avoidance of doubt, where the work is a musical composition:
+
+i. Performance Royalties Under Blanket Licenses. Licensor waives the exclusive
+right to collect, whether individually or via a performance rights society
+(e.g. ASCAP, BMI, SESAC), royalties for the public performance or public digital
+performance (e.g. webcast) of the Work.
+
+ii. Mechanical Rights and Statutory Royalties. Licensor waives the exclusive
+right to collect, whether individually or via a music rights society or designated
+agent (e.g. Harry Fox Agency), royalties for any phonorecord You create from
+the Work ("cover version") and distribute, subject to the compulsory license
+created by 17 USC Section 115 of the US Copyright Act (or the equivalent in
+other jurisdictions).
+
+d. Webcasting Rights and Statutory Royalties. For the avoidance of doubt,
+where the Work is a sound recording, Licensor waives the exclusive right to
+collect, whether individually or via a performance-rights society (e.g. SoundExchange),
+royalties for the public digital performance (e.g. webcast) of the Work, subject
+to the compulsory license created by 17 USC Section 114 of the US Copyright
+Act (or the equivalent in other jurisdictions).
+
+
+
+The above rights may be exercised in all media and formats whether now known
+or hereafter devised. The above rights include the right to make such modifications
+as are technically necessary to exercise the rights in other media and formats,
+but otherwise you have no rights to make Derivative Works. All rights not
+expressly granted by Licensor are hereby reserved.
+
+4. Restrictions. The license granted in Section 3 above is expressly made
+subject to and limited by the following restrictions:
+
+a. You may distribute, publicly display, publicly perform, or publicly digitally
+perform the Work only under the terms of this License, and You must include
+a copy of, or the Uniform Resource Identifier for, this License with every
+copy or phonorecord of the Work You distribute, publicly display, publicly
+perform, or publicly digitally perform. You may not offer or impose any terms
+on the Work that alter or restrict the terms of this License or the recipients'
+exercise of the rights granted hereunder. You may not sublicense the Work.
+You must keep intact all notices that refer to this License and to the disclaimer
+of warranties. You may not distribute, publicly display, publicly perform,
+or publicly digitally perform the Work with any technological measures that
+control access or use of the Work in a manner inconsistent with the terms
+of this License Agreement. The above applies to the Work as incorporated in
+a Collective Work, but this does not require the Collective Work apart from
+the Work itself to be made subject to the terms of this License. If You create
+a Collective Work, upon notice from any Licensor You must, to the extent practicable,
+remove from the Collective Work any reference to such Licensor or the Original
+Author, as requested.
+
+b. If you distribute, publicly display, publicly perform, or publicly digitally
+perform the Work or Collective Works, You must keep intact all copyright notices
+for the Work and give the Original Author credit reasonable to the medium
+or means You are utilizing by conveying the name (or pseudonym if applicable)
+of the Original Author if supplied; the title of the Work if supplied; and
+to the extent reasonably practicable, the Uniform Resource Identifier, if
+any, that Licensor specifies to be associated with the Work, unless such URI
+does not refer to the copyright notice or licensing information for the Work.
+Such credit may be implemented in any reasonable manner; provided, however,
+that in the case of a Collective Work, at a minimum such credit will appear
+where any other comparable authorship credit appears and in a manner at least
+as prominent as such other comparable authorship credit.
+
+ 5. Representations, Warranties and Disclaimer
+
+UNLESS OTHERWISE MUTUALLY AGREED TO BY THE PARTIES IN WRITING, LICENSOR OFFERS
+THE WORK AS-IS AND MAKES NO REPRESENTATIONS OR WARRANTIES OF ANY KIND CONCERNING
+THE MATERIALS, EXPRESS, IMPLIED, STATUTORY OR OTHERWISE, INCLUDING, WITHOUT
+LIMITATION, WARRANTIES OF TITLE, MERCHANTIBILITY, FITNESS FOR A PARTICULAR
+PURPOSE, NONINFRINGEMENT, OR THE ABSENCE OF LATENT OR OTHER DEFECTS, ACCURACY,
+OR THE PRESENCE OF ABSENCE OF ERRORS, WHETHER OR NOT DISCOVERABLE. SOME JURISDICTIONS
+DO NOT ALLOW THE EXCLUSION OF IMPLIED WARRANTIES, SO SUCH EXCLUSION MAY NOT
+APPLY TO YOU.
+
+6. Limitation on Liability. EXCEPT TO THE EXTENT REQUIRED BY APPLICABLE LAW,
+IN NO EVENT WILL LICENSOR BE LIABLE TO YOU ON ANY LEGAL THEORY FOR ANY SPECIAL,
+INCIDENTAL, CONSEQUENTIAL, PUNITIVE OR EXEMPLARY DAMAGES ARISING OUT OF THIS
+LICENSE OR THE USE OF THE WORK, EVEN IF LICENSOR HAS BEEN ADVISED OF THE POSSIBILITY
+OF SUCH DAMAGES.
+
+ 7. Termination
+
+a. This License and the rights granted hereunder will terminate automatically
+upon any breach by You of the terms of this License. Individuals or entities
+who have received Collective Works from You under this License, however, will
+not have their licenses terminated provided such individuals or entities remain
+in full compliance with those licenses. Sections 1, 2, 5, 6, 7, and 8 will
+survive any termination of this License.
+
+b. Subject to the above terms and conditions, the license granted here is
+perpetual (for the duration of the applicable copyright in the Work). Notwithstanding
+the above, Licensor reserves the right to release the Work under different
+license terms or to stop distributing the Work at any time; provided, however
+that any such election will not serve to withdraw this License (or any other
+license that has been, or is required to be, granted under the terms of this
+License), and this License will continue in full force and effect unless terminated
+as stated above.
+
+ 8. Miscellaneous
+
+a. Each time You distribute or publicly digitally perform the Work, the Licensor
+offers to the recipient a license to the Work on the same terms and conditions
+as the license granted to You under this License.
+
+b. If any provision of this License is invalid or unenforceable under applicable
+law, it shall not affect the validity or enforceability of the remainder of
+the terms of this License, and without further action by the parties to this
+agreement, such provision shall be reformed to the minimum extent necessary
+to make such provision valid and enforceable.
+
+c. No term or provision of this License shall be deemed waived and no breach
+consented to unless such waiver or consent shall be in writing and signed
+by the party to be charged with such waiver or consent.
+
+d. This License constitutes the entire agreement between the parties with
+respect to the Work licensed here. There are no understandings, agreements
+or representations with respect to the Work not specified here. Licensor shall
+not be bound by any additional provisions that may appear in any communication
+from You. This License may not be modified without the mutual written agreement
+of the Licensor and You.
+
+Creative Commons is not a party to this License, and makes no warranty whatsoever
+in connection with the Work. Creative Commons will not be liable to You or
+any party on any legal theory for any damages whatsoever, including without
+limitation any general, special, incidental or consequential damages arising
+in connection to this license. Notwithstanding the foregoing two (2) sentences,
+if Creative Commons has expressly identified itself as the Licensor hereunder,
+it shall have all rights and obligations of Licensor.
+
+Except for the limited purpose of indicating to the public that the Work is
+licensed under the CCPL, neither party will use the trademark "Creative Commons"
+or any related trademark or logo of Creative Commons without the prior written
+consent of Creative Commons. Any permitted use will be in compliance with
+Creative Commons' then-current trademark usage guidelines, as may be published
+on its website or otherwise made available upon request from time to time.
+
+Creative Commons may be contacted at http s ://creativecommons.org/.
diff --git a/src/qt/res/src/README.md b/src/qt/res/src/README.md
index 5c86b63e82f69..b32d3ce1bae94 100644
--- a/src/qt/res/src/README.md
+++ b/src/qt/res/src/README.md
@@ -1,80 +1 @@
-[ion.svg]
----------
-Original source, ionomy copyrights.
-
-[ion_daemon.svg]
----------------
-Created from [ion.svg]. Create with inkscape using electrize filter. To recreate, run this filter with following settings:
-
-Filter:
-
- - Filters => Image paint and draw => Electrize...
-
-Electrize:
-
- - Simplyfy: `1,5`
- - Effect type: `Table`
- - Levels: `1`
- - [] inverted
-
-Metadata:
-
- - Title: 'Ion Coin core daemon vector graphic'
- - Date: 'GMT: Monday, March 19, 2018 9:54:40 PM'
- - Creator: 'CEVAP'
- - Rights: 'https://raw.githubusercontent.com/cevap/ion/master/COPYING'
- - Publisher: 'CEVAP'
- - Identifier: 'IonMainDaemon'
- - Source: 'https://raw.githubusercontent.com/cevap/ion/master/src/qt/res/src/ion.svg'
- - Relation: 'https://raw.githubusercontent.com/cevap/ion/master/src/qt/res/src/ion.svg'
- - Language: 'English'
- - Keywords: 'Ionomy, ion, core, daemon'
- - Coverage: 'Ion main network, daemon'
- - Description: '🗺️Ion Digital Currency ©️ 👯👯 👛 (by 🐼CEVAP🐼) CE source code (Community Edition)'
- - Contributors: 'CEVAP'
-
-[ion_testnet.svg]
-----------------------
-Created from [ion.svg]. Create with inkscape using electrize filter. To recreate, run this filter with following settings:
-
-Filter:
-
- - Filters => Image paint and draw => Electrize...
-
-Electrize:
-
- - Simplyfy: `1,5`
- - Effect type: `Table`
- - Levels: `2`
- - [] inverted
-
-Optimize PNG (I used gimp):
-
- - Weichzeichnen => Bewegungsschärfe
-
- - Wichzeichnungsart: `Radial`
- - Unschärfezentrum:
-
- - X: `64`
- - Y: `64`
-
- - Länge: `5`
- - Winkel: `10`
-
-[ion_testnet_daemon.svg]
-----------------------
-Created from [ion.svg]. Create with inkscape using electrize filter. To recreate, run this filter with following settings:
-
-Filter:
-
- - Filters => Image paint and draw => Electrize...
-
-Electrize:
-
- - Simplyfy: `1,5`
- - Effect type: `Table`
- - Levels: `3`
- - [] inverted
-
-
-
+will be edited soon
diff --git a/src/qt/res/src/about.xcf b/src/qt/res/src/about.xcf
deleted file mode 100644
index 92921d9b06f99..0000000000000
Binary files a/src/qt/res/src/about.xcf and /dev/null differ
diff --git a/src/qt/res/src/automint_active.xcf b/src/qt/res/src/automint_active.xcf
deleted file mode 100644
index 10b8cd006ac60..0000000000000
Binary files a/src/qt/res/src/automint_active.xcf and /dev/null differ
diff --git a/src/qt/res/src/automint_inactive.xcf b/src/qt/res/src/automint_inactive.xcf
deleted file mode 100644
index 8c763dcaff083..0000000000000
Binary files a/src/qt/res/src/automint_inactive.xcf and /dev/null differ
diff --git a/src/qt/res/src/bittrex.svg b/src/qt/res/src/bittrex.svg
deleted file mode 100644
index f7a45ad344a41..0000000000000
--- a/src/qt/res/src/bittrex.svg
+++ /dev/null
@@ -1,201 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/clock.svg b/src/qt/res/src/clock.svg
new file mode 100755
index 0000000000000..9f2ec47d05f82
--- /dev/null
+++ b/src/qt/res/src/clock.svg
@@ -0,0 +1,1161 @@
+
+
+
+
diff --git a/src/qt/res/src/clock1.svg b/src/qt/res/src/clock1.svg
deleted file mode 100755
index 793dc7f91ccb9..0000000000000
--- a/src/qt/res/src/clock1.svg
+++ /dev/null
@@ -1,261 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/clock2.svg b/src/qt/res/src/clock2.svg
deleted file mode 100755
index 6a78adf7004e7..0000000000000
--- a/src/qt/res/src/clock2.svg
+++ /dev/null
@@ -1,262 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/clock3.svg b/src/qt/res/src/clock3.svg
deleted file mode 100755
index 09ccc2549f2f8..0000000000000
--- a/src/qt/res/src/clock3.svg
+++ /dev/null
@@ -1,261 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/clock4.svg b/src/qt/res/src/clock4.svg
deleted file mode 100755
index 7d9dc37acb919..0000000000000
--- a/src/qt/res/src/clock4.svg
+++ /dev/null
@@ -1,261 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/clock5.svg b/src/qt/res/src/clock5.svg
deleted file mode 100755
index 9fd58d9d97311..0000000000000
--- a/src/qt/res/src/clock5.svg
+++ /dev/null
@@ -1,262 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/clock_green.svg b/src/qt/res/src/clock_green.svg
deleted file mode 100755
index e31f0e7995aad..0000000000000
--- a/src/qt/res/src/clock_green.svg
+++ /dev/null
@@ -1,262 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/dart-board.svg b/src/qt/res/src/dart-board.svg
deleted file mode 100644
index 1708584fb66a4..0000000000000
--- a/src/qt/res/src/dart-board.svg
+++ /dev/null
@@ -1,22 +0,0 @@
-
-
-
diff --git a/src/qt/res/src/icons16.svg b/src/qt/res/src/icons16.svg
index 45c83a82d53b3..7951bb01134ab 100644
--- a/src/qt/res/src/icons16.svg
+++ b/src/qt/res/src/icons16.svg
@@ -196,7 +196,7 @@
clip-path="url(#clipPath3861-7-7)"
transform="matrix(0,-1.142857,-1.142857,0,438.56501,447.79078)"
id="path3809-7-2"
- style="color:#000000;display:none;overflow:visible;visibility:visible;fill:none;stroke:#808080;stroke-width:5.25000048;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate"
+ style="color:#000000;display:none;overflow:visible;visibility:visible;fill:none;stroke:#808080;stroke-width:5.25000048;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate"
cx="45"
cy="45.000015"
r="21" />
@@ -217,7 +217,7 @@
clip-path="url(#clipPath3839-5-6)"
id="rect3829-5-9"
d="m 39.999998,50.000019 10.000004,0 C 53.878001,50.000019 57,53.122018 57,57.000017 l 0,15.000002 c 0,5.999998 -2,5.999998 -8.999998,5.999998 l -6.000004,0 C 35,78.000017 33,78.000017 33,72.000019 l 0,-15.000002 c 0,-3.877999 3.121999,-6.999998 6.999998,-6.999998 z"
- style="color:#000000;display:none;overflow:visible;visibility:visible;fill:none;stroke:#808080;stroke-width:6;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-ionoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:none;overflow:visible;visibility:visible;fill:none;stroke:#808080;stroke-width:6;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-dashoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
@@ -328,7 +328,7 @@
x="0"
y="3.0000001e-06" />
@@ -531,14 +531,14 @@
d="m 123,134.36222 0,6 36,0 0,-6 z m 0,12 0,6 36,0 0,-6 z m 0,12 0,6 24,0 0,-6 z"
id="rect4940" />
@@ -683,7 +683,7 @@
rx="29.004131"
cy="-1772.2792"
cx="2632.804"
- style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;stroke:#808080;stroke-width:12.00000191;stroke-miterlimit:4;stroke-ionarray:none;marker:none;enable-background:accumulate"
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;stroke:#808080;stroke-width:12.00000191;stroke-miterlimit:4;stroke-dasharray:none;marker:none;enable-background:accumulate"
id="path5417"
transform="matrix(-0.49964997,0.8662274,-0.8658232,-0.50035007,0,0)" />
+ style="color:#000000;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-size:medium;line-height:normal;font-family:sans-serif;text-indent:0;text-align:start;text-decoration:none;text-decoration-line:none;text-decoration-color:currentColor;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;baseline-shift:baseline;text-anchor:start;clip-rule:nonzero;display:inline;overflow:visible;visibility:visible;opacity:1;isolation:auto;color-interpolation:sRGB;color-interpolation-filters:linearRGB;fill:#808080;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:9;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1;marker:none;color-rendering:auto;image-rendering:auto;shape-rendering:auto;text-rendering:auto;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:0.5;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:0.5;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:0.5;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:0.5;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;fill-opacity:1;stroke:#808080;stroke-width:9;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;stroke:#808080;stroke-width:6;stroke-linecap:round;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-size:medium;line-height:normal;font-family:sans-serif;text-indent:0;text-align:start;text-decoration:none;text-decoration-line:none;text-decoration-style:solid;text-decoration-color:#000000;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;baseline-shift:baseline;text-anchor:start;clip-rule:nonzero;display:inline;overflow:visible;visibility:visible;opacity:1;isolation:auto;mix-blend-mode:normal;color-interpolation:sRGB;color-interpolation-filters:linearRGB;solid-color:#000000;solid-opacity:1;fill:#808080;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:6;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:22.39999962;stroke-opacity:1;marker:none;color-rendering:auto;image-rendering:auto;shape-rendering:auto;text-rendering:auto;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:1;fill:#808080;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:3;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-size:medium;line-height:normal;font-family:sans-serif;text-indent:0;text-align:start;text-decoration:none;text-decoration-line:none;text-decoration-style:solid;text-decoration-color:#000000;letter-spacing:normal;word-spacing:normal;text-transform:none;direction:ltr;block-progression:tb;writing-mode:lr-tb;baseline-shift:baseline;text-anchor:start;clip-rule:nonzero;display:inline;overflow:visible;visibility:visible;opacity:1;isolation:auto;mix-blend-mode:normal;color-interpolation:sRGB;color-interpolation-filters:linearRGB;solid-color:#000000;solid-opacity:1;fill:#808080;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:6;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:22.39999962;stroke-opacity:1;marker:none;color-rendering:auto;image-rendering:auto;shape-rendering:auto;text-rendering:auto;enable-background:accumulate" />
@@ -1269,7 +1269,7 @@
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;fill:none;fill-opacity:1;fill-rule:nonzero;stroke:#808080;stroke-width:9;stroke-linecap:butt;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
@@ -1308,9 +1308,9 @@
height="8.9999962"
width="8.9999962"
id="rect4119"
- style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:1;fill:#808080;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:6.19999981;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:1;fill:#808080;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:6.19999981;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
+ style="color:#000000;display:inline;overflow:visible;visibility:visible;opacity:1;fill:#808080;fill-opacity:1;fill-rule:nonzero;stroke:none;stroke-width:6.19999981;stroke-linecap:butt;stroke-linejoin:miter;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1;marker:none;enable-background:accumulate" />
y="0"
x="0"
xlink:href="#icon-target"
- style="fill:#cccccc;stroke:none;stroke-width:1;stroke-miterlimit:4;stroke-ionarray:none"
+ style="fill:#cccccc;stroke:none;stroke-width:1;stroke-miterlimit:4;stroke-dasharray:none"
id="use87229" />
inkscape:groupmode="layer">
height="15.018548"
width="15.010468"
id="rect94366"
- style="display:inline;opacity:1;fill:none;fill-opacity:1;stroke:#26a9e0;stroke-width:0.34900001;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="display:inline;opacity:1;fill:none;fill-opacity:1;stroke:#26a9e0;stroke-width:0.34900001;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path94437"
d="M 2.4250587,13.729094 1.8950063,13.198697 4.336592,10.757036 6.7781777,8.3153755 4.3420013,5.8791244 1.905825,3.4428732 2.4416421,2.9070562 2.9774591,2.3712391 5.4137104,4.8074154 7.8499614,7.2435918 10.291622,4.8020061 12.733283,2.3604204 13.26368,2.8904727 c 0.291719,0.2915289 0.530398,0.5400907 0.530398,0.5523598 0,0.012269 -1.093806,1.1160795 -2.43068,2.452912 l -2.4306797,2.4306046 2.4361567,2.4362319 2.436157,2.436232 -0.535817,0.535816 -0.535817,0.535817 L 10.297167,11.83429 7.860935,9.3981324 5.4303305,11.828812 c -1.3368326,1.336874 -2.440643,2.43068 -2.4529121,2.43068 -0.012269,0 -0.2608309,-0.238679 -0.5523597,-0.530398 z"
- style="opacity:1;fill:#aa0000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.00771188;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#aa0000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.00771188;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path94538"
d="M 1.0870452,14.840119 C 1.4125869,13.446565 1.9561392,12.00576 2.6745926,10.631978 3.2075922,9.6128085 2.7972566,10.070621 7.1002451,5.6942676 9.2220299,3.5363072 11.101476,1.6199585 11.276792,1.4357151 l 0.318756,-0.3349881 1.642209,1.6405414 c 0.903215,0.9022978 1.638681,1.6481238 1.634369,1.6573913 -0.0043,0.00927 -1.910782,1.8866489 -4.236599,4.1719587 C 7.3680945,11.781144 6.3593144,12.754934 6.1980266,12.854201 4.8539703,13.681422 2.8011768,14.523313 1.262829,14.878224 l -0.1952061,0.04504 z m 2.3500351,-1.461911 c 0.5034749,-0.197798 1.98167,-1.000681 2.2554803,-1.225066 0.06252,-0.05123 0.042962,-0.07339 -0.8688122,-0.984188 L 3.8909768,10.23718 3.8013699,10.372079 C 3.4087628,10.96313 2.8473682,12.003397 2.6277367,12.546828 l -0.1045151,0.2586 0.3262234,0.327337 c 0.1794229,0.180036 0.3381388,0.327338 0.3527019,0.327338 0.014563,0 0.1202832,-0.03685 0.2349334,-0.08189 z"
- style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path94663"
d="M 1.0987005,14.826661 C 1.0988197,14.765795 1.2737517,14.094246 1.3849248,13.72787 1.6721736,12.781228 2.0548101,11.842078 2.569014,10.82162 3.2132808,9.5430464 2.7094642,10.114558 7.4092782,5.3309914 9.6855868,3.0141178 11.562931,1.1147279 11.581153,1.1101248 c 0.01822,-0.0046 0.764287,0.7230864 1.65792,1.6170877 l 1.624788,1.625457 -0.187288,0.1851247 C 14.573565,4.6396126 12.668192,6.5112768 10.442411,8.6970476 5.817915,13.238413 6.4002132,12.731885 5.0049103,13.427009 4.2004708,13.827771 3.2551847,14.219534 2.5205351,14.45663 1.8590699,14.670107 1.0986195,14.868013 1.0987005,14.826661 Z m 3.077841,-1.864755 c 0.5988306,-0.299605 1.5783688,-0.870837 1.5783688,-0.920449 0,-0.0094 -0.4155241,-0.431864 -0.9233869,-0.938786 -0.8839786,-0.882341 -0.9254095,-0.919009 -0.9707778,-0.859176 -0.026065,0.03438 -0.1681535,0.259375 -0.3157524,0.5 -0.3318149,0.540945 -0.6432579,1.133377 -0.8529791,1.622549 l -0.1597219,0.37255 0.3342853,0.335325 0.3342853,0.335325 0.1439676,-0.05162 c 0.079182,-0.02839 0.4534522,-0.206464 0.8317111,-0.395713 z"
- style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path94665"
d="m 1.1300656,14.778741 c 8.55e-5,-0.01938 0.055404,-0.246184 0.122929,-0.503996 C 1.5228174,13.24456 1.8713171,12.328189 2.4716675,11.070276 3.0237083,9.9135858 3.1581559,9.721738 4.1132341,8.7278695 4.6000062,8.2213269 9.0620521,3.6769565 10.540317,2.1822065 l 1.051032,-1.0627523 1.613031,1.6068929 c 0.887167,0.8837911 1.613031,1.6159261 1.613031,1.6269668 0,0.016721 -4.446472,4.3926934 -6.8432271,6.7347271 -1.722747,1.683414 -1.8310957,1.768808 -2.8988114,2.284685 -1.1943374,0.577056 -2.1058274,0.939038 -3.0640347,1.216829 -0.6272545,0.181845 -0.8814807,0.23642 -0.8812722,0.189186 z m 2.8211075,-1.688325 c 0.601305,-0.295227 1.5112803,-0.800444 1.7021747,-0.945044 0.055859,-0.04231 0.1015625,-0.09306 0.1015625,-0.11278 0,-0.04271 -1.2543444,-1.311433 -1.6039009,-1.62229 C 3.9516007,10.23297 3.8981913,10.19973 3.8615411,10.230147 3.7163719,10.350627 2.9912927,11.650482 2.6879632,12.334029 l -0.1817034,0.409466 0.3352627,0.337663 c 0.2985534,0.300692 0.3447763,0.335829 0.4221506,0.320904 0.047788,-0.0092 0.3571634,-0.149459 0.6875,-0.311646 z"
- style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path94753"
d="m 11.861141,12.273719 -0.847267,-0.847267 -0.17953,0.127922 C 10.013368,12.13935 8.896515,12.337802 7.878571,12.07958 6.815385,11.80988 5.912975,11.052429 5.457146,10.047121 4.667411,8.3053985 5.429254,6.1752385 7.152151,5.3077871 7.407622,5.1791611 7.889944,5.0260368 8.194255,4.976946 8.634111,4.90599 9.371759,4.948838 9.774563,5.068744 c 0.637924,0.1898951 1.191633,0.5293725 1.641823,1.0065987 0.411618,0.4363362 0.673883,0.892134 0.856876,1.48919 0.09349,0.3050388 0.101331,0.3788118 0.103273,0.9719428 0.0018,0.56032 -0.0086,0.681138 -0.08242,0.951153 -0.09263,0.339002 -0.261207,0.7263905 -0.439975,1.0110705 l -0.115159,0.183385 0.851385,0.852777 0.851384,0.852778 -0.366673,0.366674 -0.366674,0.366673 z M 9.554501,11.524182 C 10.094005,11.376521 10.58908,11.07657 10.989879,10.654528 12.402583,9.1669485 11.976314,6.7475866 10.141334,5.8384757 9.674721,5.6072998 9.320298,5.5227557 8.80262,5.519139 7.966985,5.513299 7.269997,5.7862197 6.681411,6.3497375 6.220471,6.7910459 5.91392,7.3349343 5.791322,7.9289465 c -0.344675,1.670028 0.690441,3.2531595 2.37399,3.6308355 0.317205,0.07116 1.06957,0.05188 1.389189,-0.0356 z"
- style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01280031;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01280031;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
id="g94758"
inkscape:label="search">
@@ -2192,7 +2192,7 @@ small icons 16x16
inkscape:connector-curvature="0"
id="path247283"
d="M 7.6874985,14.329647 C 7.1450738,14.179005 6.7190988,13.747911 6.5736516,13.202414 c -0.049524,-0.185737 -0.053773,-0.569 -0.00849,-0.765625 0.1227007,-0.532761 0.6208233,-1.030884 1.1535848,-1.153585 0.1806328,-0.0416 0.5693673,-0.0416 0.75,0 0.5327615,0.122701 1.0308841,0.620824 1.1535848,1.153585 0.041602,0.180633 0.041602,0.569368 0,0.75 -0.1220132,0.529777 -0.5833871,0.997566 -1.1264418,1.142106 -0.202711,0.05395 -0.6154447,0.05434 -0.808393,7.52e-4 z"
- style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path247279"
d="M 5.4241017,9.93902 4.868518,9.3827924 5.0891002,9.1929431 C 5.6906349,8.6752181 6.4116817,8.318567 7.1972357,8.150197 c 0.4581765,-0.098202 1.3348491,-0.098202 1.7930257,0 0.7855538,0.16837 1.5066006,0.5250211 2.1081356,1.0427461 l 0.220582,0.1898493 -0.556083,0.5567275 -0.556083,0.5567271 -0.13461,-0.124079 C 9.3005823,9.660913 8.0925276,9.4369736 7.0541438,9.8127048 6.7497224,9.9228574 6.3610671,10.152353 6.1355203,10.355139 l -0.1558349,0.140109 z"
- style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path247244"
d="M 3.176209,7.6911298 2.6231347,7.1374144 2.8975039,6.893189 C 4.1086389,5.8151163 5.5192248,5.1649474 7.1093735,4.9518489 7.5506804,4.8927087 8.5364357,4.8834789 8.9531236,4.9345855 10.625567,5.1397104 12.058345,5.7930922 13.337108,6.933789 L 13.564841,7.1369348 13.011528,7.69089 12.458214,8.2448452 12.221294,8.0337084 C 11.555328,7.4402179 10.867849,7.0442899 10.015624,6.7634351 7.9224698,6.0736267 5.6134792,6.5581104 3.9662033,8.032754 l -0.23692,0.2120912 z"
- style="opacity:1;fill:#4d4d4d;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#4d4d4d;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#4d4d4d;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#1a1a1a;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#1a1a1a;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#1a1a1a;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path247254"
d="M 0.93478415,5.4480916 0.39062303,4.9016582 0.66050373,4.6426945 C 2.2434547,3.1237754 4.4321227,2.1013554 6.7656234,1.7907329 c 0.5732357,-0.076306 2.0830145,-0.076306 2.6562502,0 2.1705544,0.288932 4.1059194,1.1398733 5.7500004,2.5281607 0.154687,0.1306205 0.358277,0.3162173 0.452422,0.4124373 L 15.795467,4.9062763 15.251433,5.4509776 14.707399,5.9956789 14.460248,5.7709213 C 13.000603,4.4435278 11.312382,3.6483386 9.3281236,3.3535773 8.8538048,3.2831172 7.4262838,3.273603 6.9687484,3.3378523 4.9488568,3.6214952 3.2735007,4.3904101 1.7941592,5.712762 L 1.4789453,5.9945251 Z"
- style="opacity:1;fill:#1a1a1a;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#1a1a1a;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path247271"
d="M 0.95156166,5.4352254 0.42370082,4.9066785 0.54778693,4.7778895 C 0.75193652,4.5660025 1.3378233,4.0705741 1.6757875,3.8240474 2.6444445,3.1174642 3.871362,2.5183311 5.0508636,2.1759172 6.0339571,1.8905214 6.7221884,1.7843678 7.7499985,1.7595995 c 1.170226,-0.0282 1.9313242,0.047066 2.9375005,0.2904945 0.441785,0.106883 1.347095,0.4114277 1.748576,0.5882182 1.123476,0.4947169 2.245887,1.2285868 3.043999,1.9902668 l 0.28555,0.2725157 -0.529401,0.5319654 -0.5294,0.5319656 -0.2206,-0.1957919 C 13.074053,4.5158715 11.642752,3.7917118 9.8749986,3.4362071 9.2701467,3.3145682 8.8684817,3.2804904 8.0468735,3.2811063 7.2492335,3.2817043 6.9386922,3.3093964 6.3135703,3.4356712 5.453269,3.6094522 4.7816417,3.8330522 4.0156233,4.2007101 3.2842982,4.5517166 2.5509949,5.0331969 1.9395389,5.5638482 1.8121135,5.6744345 1.6564587,5.809657 1.5936394,5.8643429 l -0.1142169,0.099429 z"
- style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#000000;fill-opacity:1;stroke:#26a9e0;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
style="display:inline"
sodipodi:insensitive="true">
@@ -2376,7 +2376,7 @@ small icons 16x16
style="display:inline"
sodipodi:insensitive="true">
@@ -2388,7 +2388,7 @@ small icons 16x16
style="display:inline"
sodipodi:insensitive="true">
@@ -2421,7 +2421,7 @@ small icons 16x16
inkscape:label="green"
style="display:inline">
@@ -2452,17 +2452,17 @@ small icons 16x16
style="fill:#000000;stroke:none"
id="use293419" />
@@ -2486,17 +2486,17 @@ small icons 16x16
inkscape:connector-curvature="0"
id="path293436"
d="M 4.5196847,7.7646386 C 4.4103041,7.7359904 4.1815992,7.6799761 4.0114516,7.6401626 l -0.3093592,-0.072388 0.00645,-0.074414 c 0.00355,-0.040927 0.021806,-0.153963 0.040572,-0.2511902 C 3.9788938,6.0517276 4.719181,5.0019404 5.7614324,4.3885428 6.4584604,3.9783199 7.2353653,3.7832809 8.0552188,3.8126962 9.0282546,3.8476076 9.9215137,4.1907419 10.660001,4.813291 l 0.174103,0.1467696 0.437315,-0.4369048 0.437315,-0.4369048 0.03637,0.086406 c 0.157091,0.3732144 0.545787,1.6349529 0.70735,2.2961151 0.08448,0.3457097 0.236435,1.0747447 0.226158,1.0850225 -0.01004,0.010042 -0.738288,-0.1416381 -1.07681,-0.2242799 C 10.944603,7.1690766 10.13276,6.921697 9.483741,6.6841138 L 9.2107876,6.5841949 9.6488133,6.145758 C 9.9114988,5.8828258 10.078257,5.6998806 10.065398,5.688734 9.2223348,4.9579053 8.1851824,4.6930427 7.1602867,4.9468421 5.897428,5.2595692 4.9815852,6.2512457 4.7649696,7.540497 l -0.046411,0.2762293 z"
- style="opacity:1;fill:#00a440;fill-opacity:0.69019608;stroke:#26a9e0;stroke-width:0.00771188;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#00a440;fill-opacity:0.69019608;stroke:#26a9e0;stroke-width:0.00771188;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#00a440;fill-opacity:0.69019608;stroke:#26a9e0;stroke-width:0.00771188;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#81e277;fill-opacity:1;stroke:#26a9e0;stroke-width:0.00771188;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
style="fill:#000000;stroke:none"
id="use293444" />
@@ -2542,7 +2542,7 @@ small icons 16x16
style="display:none"
sodipodi:insensitive="true">
height="15.635751"
width="15.725778"
id="rect84628"
- style="display:inline;opacity:1;fill:#130fa2;fill-opacity:1;stroke:#130fa2;stroke-width:0.34201336;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="display:inline;opacity:1;fill:#130fa2;fill-opacity:1;stroke:#130fa2;stroke-width:0.34201336;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
height="100%"
transform="matrix(0.17778915,0,0,0.17778915,12.064213,-15.036701)" />
@@ -2608,7 +2608,7 @@ small icons 16x16
height="15.635751"
width="15.725778"
id="rect336537"
- style="display:inline;opacity:1;fill:#130fa2;fill-opacity:1;stroke:#130fa2;stroke-width:0.34201336;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="display:inline;opacity:1;fill:#130fa2;fill-opacity:1;stroke:#130fa2;stroke-width:0.34201336;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path336543"
d="m 14.341641,1.6341611 0.562067,0.5627178 -1.679524,1.6797395 -1.679523,1.6797394 0.858753,0.858327 c 0.472314,0.47208 0.84851,0.86848 0.83599,0.880889 -0.07409,0.07343 -2.038212,0.729793 -3.022762,1.010128 -0.828631,0.23594 -1.990036,0.517689 -2.699476,0.654874 -0.315962,0.0611 -0.585048,0.111086 -0.59797,0.111086 -0.03115,0 0.236106,-1.299309 0.421024,-2.046875 0.294644,-1.191154 0.789619,-2.813956 1.189072,-3.8984375 0.08072,-0.2191406 0.155798,-0.3984375 0.166845,-0.3984375 0.01105,0 0.403407,0.3831306 0.87191,0.8514016 l 0.851824,0.8514014 1.679852,-1.6796355 1.679852,-1.6796357 z"
- style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:#00d41f;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:#00d41f;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:#00d41f;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
height="100%"
transform="matrix(0.17783363,0,0,0.17783363,12.031005,-15.031454)" />
@@ -2682,7 +2682,7 @@ small icons 16x16
height="15.635751"
width="15.725778"
id="rect332403"
- style="display:inline;opacity:1;fill:#26a9e0;fill-opacity:1;stroke:#26a9e0;stroke-width:0.34201336;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="display:inline;opacity:1;fill:#26a9e0;fill-opacity:1;stroke:#26a9e0;stroke-width:0.34201336;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path334465"
d="M 4.885016,8.9464439 1.6038774,5.6651937 H 3.4866342 5.369391 V 2.8526935 0.04019334 H 8.1818912 10.994391 V 2.8524476 5.6647018 l 1.859437,0.00806 1.859437,0.00806 -3.273555,3.2734377 -3.273555,3.2734375 z"
- style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:#00d41f;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:#00d41f;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:#00d41f;stroke-width:0.01090625;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
style="display:inline"
sodipodi:insensitive="true">
style="display:inline"
sodipodi:insensitive="true">
style="display:inline"
sodipodi:insensitive="true">
@@ -3099,19 +3099,19 @@ small icons 16x16
style="display:inline"
sodipodi:insensitive="true">
cy="11.509501"
r="0.61089528"
id="circle9"
- style="display:inline;opacity:0.75;fill:#26a9e0;stroke:none;stroke-width:0.06668624;stroke-miterlimit:4;stroke-ionarray:none;stroke-opacity:0.7736318" />
+ style="display:inline;opacity:0.75;fill:#26a9e0;stroke:none;stroke-width:0.06668624;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:0.7736318" />
style="display:inline"
sodipodi:insensitive="true">
cy="5.4513059"
cx="8.9382725"
id="ellipse414165"
- style="display:inline;opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.51031792;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="display:inline;opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.51031792;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
inkscape:connector-curvature="0"
id="path414285"
d=""
- style="opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.00136328;stroke-linecap:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-ionoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.00136328;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.00136328;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.00136328;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.00136328;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.00136328;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#26a9e0;fill-opacity:1;stroke:none;stroke-width:0.00136328;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
+ style="opacity:1;fill:#ffffff;fill-opacity:1;stroke:none;stroke-width:0.00771188;stroke-linecap:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-dashoffset:0;stroke-opacity:1" />
y="0"
x="0"
xlink:href="#plus"
- style="fill:#009716;fill-opacity:1;stroke:none;stroke-width:0.56630486;stroke-linejoin:round;stroke-miterlimit:4;stroke-ionarray:none;stroke-opacity:1"
+ style="fill:#009716;fill-opacity:1;stroke:none;stroke-width:0.56630486;stroke-linejoin:round;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
id="use414429" />
@@ -3276,7 +3276,7 @@ small icons 16x16
inkscape:label="eye_color"
sodipodi:insensitive="true">
inkscape:label="minus"
sodipodi:insensitive="true">
@@ -3350,7 +3350,7 @@ small icons 16x16
height="100%"
transform="matrix(0.76752022,0,0,1.0552427,5.6707319,3.3596114)" />
@@ -3379,7 +3379,7 @@ small icons 16x16
style="display:none"
sodipodi:insensitive="true">
diff --git a/src/qt/res/src/ion-black.svg b/src/qt/res/src/ion-black.svg
deleted file mode 100644
index b7d818d43f74d..0000000000000
--- a/src/qt/res/src/ion-black.svg
+++ /dev/null
@@ -1,132 +0,0 @@
-
-
-
-
\ No newline at end of file
diff --git a/src/qt/res/src/ion-black2.svg b/src/qt/res/src/ion-black2.svg
deleted file mode 100644
index 87d53ba2d9193..0000000000000
--- a/src/qt/res/src/ion-black2.svg
+++ /dev/null
@@ -1,139 +0,0 @@
-
-
-
-
\ No newline at end of file
diff --git a/src/qt/res/src/ion-ionwhite.svg b/src/qt/res/src/ion-ionwhite.svg
deleted file mode 100644
index b16ae0b2b761d..0000000000000
--- a/src/qt/res/src/ion-ionwhite.svg
+++ /dev/null
@@ -1,29 +0,0 @@
-
-
-
diff --git a/src/qt/res/src/ion-logoblack.svg b/src/qt/res/src/ion-logoblack.svg
deleted file mode 100644
index 42e53058484db..0000000000000
--- a/src/qt/res/src/ion-logoblack.svg
+++ /dev/null
@@ -1,100 +0,0 @@
-
-
-
-
\ No newline at end of file
diff --git a/src/qt/res/src/ion.svg b/src/qt/res/src/ion.svg
index 42887d130241f..d63763784e03e 100644
--- a/src/qt/res/src/ion.svg
+++ b/src/qt/res/src/ion.svg
@@ -1,7 +1,8 @@
-
+
+ sodipodi:insensitive="true">SnapbuildSnapbuildSnapbuildSnapbuildSnapbuildSnapbuild
\ No newline at end of file
diff --git a/src/qt/res/src/ion_logo_horizontal.xcf b/src/qt/res/src/ion_logo_horizontal.xcf
deleted file mode 100644
index 129282d8c451c..0000000000000
Binary files a/src/qt/res/src/ion_logo_horizontal.xcf and /dev/null differ
diff --git a/src/qt/res/src/ion_logo_white.svg b/src/qt/res/src/ion_logo_white.svg
deleted file mode 100644
index cfbd42ed16eb0..0000000000000
--- a/src/qt/res/src/ion_logo_white.svg
+++ /dev/null
@@ -1,106 +0,0 @@
-
-
-
-
\ No newline at end of file
diff --git a/src/qt/res/src/ion_regtest.svg b/src/qt/res/src/ion_regtest.svg
deleted file mode 100644
index 06909e16bfd38..0000000000000
--- a/src/qt/res/src/ion_regtest.svg
+++ /dev/null
@@ -1,104 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/ion_testnet.svg b/src/qt/res/src/ion_testnet.svg
deleted file mode 100644
index 219a0940810b9..0000000000000
--- a/src/qt/res/src/ion_testnet.svg
+++ /dev/null
@@ -1,104 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/ion_unittest.svg b/src/qt/res/src/ion_unittest.svg
deleted file mode 100644
index 431bb49e8297d..0000000000000
--- a/src/qt/res/src/ion_unittest.svg
+++ /dev/null
@@ -1,104 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/iond.svg b/src/qt/res/src/iond.svg
deleted file mode 100644
index d54fc20a9579e..0000000000000
--- a/src/qt/res/src/iond.svg
+++ /dev/null
@@ -1,104 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/iond_regtest.svg b/src/qt/res/src/iond_regtest.svg
deleted file mode 100644
index 4d55aa09d8e04..0000000000000
--- a/src/qt/res/src/iond_regtest.svg
+++ /dev/null
@@ -1,104 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/iond_testnet.svg b/src/qt/res/src/iond_testnet.svg
deleted file mode 100644
index 786b2f8e406ac..0000000000000
--- a/src/qt/res/src/iond_testnet.svg
+++ /dev/null
@@ -1,104 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/iond_unittest.svg b/src/qt/res/src/iond_unittest.svg
deleted file mode 100644
index 74946ada0dd55..0000000000000
--- a/src/qt/res/src/iond_unittest.svg
+++ /dev/null
@@ -1,104 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/ionomy_banner_logo_horizontal.svg b/src/qt/res/src/ionomy_banner_logo_horizontal.svg
index 369418cbf3136..329d7a68ae3be 100644
--- a/src/qt/res/src/ionomy_banner_logo_horizontal.svg
+++ b/src/qt/res/src/ionomy_banner_logo_horizontal.svg
@@ -19,16 +19,14 @@
inkscape:version="0.92.3 (2405546, 2018-03-11)"
width="2335.7834"
height="412.91666"
- inkscape:export-filename="/media/dev/M2SSD/go/github.com/cevap/ion/src/qt/res/images/ion_logo_horizontal.png"
+ inkscape:export-filename="/media/dev/M2SSD/go/github.com/cevap/ion/src/qt/res/images/ion_logo_horizontal_regtest.png"
inkscape:export-xdpi="13.973898"
inkscape:export-ydpi="13.973898">Ion Core horizontal banner logo blackIon Core QT banner logoimage/svg+xmlIon Core horizontal banner logo blackGMT: Monday, 15. April 2019 18:47:35Ionomy limitedhttps://raw.githubusercontent.com/ioncoincore/ion/master/COPYINGIonomy limitedion_logo_horizontalhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/ion_logo_horizontal.svghttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/ion_logo_horizontal.svgEnglishioncorebannerlogoblackIon core horizontal banner logoIon Core Digital Currency (by Ionomy limited) - https://ionomy.comionomy ltd
-CEVAP
-ioncoincoreIon Core QT banner logoGMT: Monday, 15. April 2019 18:47:35Ionomy limitedhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/LICENSE.mdIonomy limitedion_logo_horizontalhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/banner.svghttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/images/ion_logo_horizontal.pngEnglishioncorebannermaintestnetregtestnetworkIon Core banner image for all networksIon Core Digital Currency (by Ionomy limited) - https://ionomy.comCEVAP
+
+ id="Layer_2"
+ transform="translate(15.87887,-85.462833)">
+
+
+
+
+
+
+
+
+
+
+
+
+
+
i nomy
+ dx="0 0 0 0.029999999">i nomy
+
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
\ No newline at end of file
+
+
+
+
+
+ i nomy
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ i nomy
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/src/qt/res/src/ionomy_logo_black.svg b/src/qt/res/src/ionomy_logo_black.svg
deleted file mode 100644
index cc75074efc035..0000000000000
--- a/src/qt/res/src/ionomy_logo_black.svg
+++ /dev/null
@@ -1,172 +0,0 @@
-
-
-
-
\ No newline at end of file
diff --git a/src/qt/res/src/ionomy_logo_white.svg b/src/qt/res/src/ionomy_logo_white.svg
deleted file mode 100644
index 5a78183b58ca6..0000000000000
--- a/src/qt/res/src/ionomy_logo_white.svg
+++ /dev/null
@@ -1,175 +0,0 @@
-
-
-
-
\ No newline at end of file
diff --git a/src/qt/res/src/logopwrgridwhite.svg b/src/qt/res/src/logopwrgridwhite.svg
deleted file mode 100644
index 3922652722c2e..0000000000000
--- a/src/qt/res/src/logopwrgridwhite.svg
+++ /dev/null
@@ -1,108 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/onion_license.txt b/src/qt/res/src/onion_license.txt
new file mode 100644
index 0000000000000..1b64869e94494
--- /dev/null
+++ b/src/qt/res/src/onion_license.txt
@@ -0,0 +1,273 @@
+Creative Commons
+
+
+ Creative Commons Legal Code
+
+
+ Attribution 3.0 United States
+
+ CREATIVE COMMONS CORPORATION IS NOT A LAW FIRM AND DOES NOT PROVIDE
+ LEGAL SERVICES. DISTRIBUTION OF THIS LICENSE DOES NOT CREATE AN
+ ATTORNEY-CLIENT RELATIONSHIP. CREATIVE COMMONS PROVIDES THIS
+ INFORMATION ON AN "AS-IS" BASIS. CREATIVE COMMONS MAKES NO
+ WARRANTIES REGARDING THE INFORMATION PROVIDED, AND DISCLAIMS
+ LIABILITY FOR DAMAGES RESULTING FROM ITS USE.
+
+
+ /License/
+
+THE WORK (AS DEFINED BELOW) IS PROVIDED UNDER THE TERMS OF THIS CREATIVE
+COMMONS PUBLIC LICENSE ("CCPL" OR "LICENSE"). THE WORK IS PROTECTED BY
+COPYRIGHT AND/OR OTHER APPLICABLE LAW. ANY USE OF THE WORK OTHER THAN AS
+AUTHORIZED UNDER THIS LICENSE OR COPYRIGHT LAW IS PROHIBITED.
+
+BY EXERCISING ANY RIGHTS TO THE WORK PROVIDED HERE, YOU ACCEPT AND AGREE
+TO BE BOUND BY THE TERMS OF THIS LICENSE. TO THE EXTENT THIS LICENSE MAY
+BE CONSIDERED TO BE A CONTRACT, THE LICENSOR GRANTS YOU THE RIGHTS
+CONTAINED HERE IN CONSIDERATION OF YOUR ACCEPTANCE OF SUCH TERMS AND
+CONDITIONS.
+
+*1. Definitions*
+
+ 1. *"Collective Work"* means a work, such as a periodical issue,
+ anthology or encyclopedia, in which the Work in its entirety in
+ unmodified form, along with one or more other contributions,
+ constituting separate and independent works in themselves, are
+ assembled into a collective whole. A work that constitutes a
+ Collective Work will not be considered a Derivative Work (as defined
+ below) for the purposes of this License.
+ 2. *"Derivative Work"* means a work based upon the Work or upon the
+ Work and other pre-existing works, such as a translation, musical
+ arrangement, dramatization, fictionalization, motion picture
+ version, sound recording, art reproduction, abridgment,
+ condensation, or any other form in which the Work may be recast,
+ transformed, or adapted, except that a work that constitutes a
+ Collective Work will not be considered a Derivative Work for the
+ purpose of this License. For the avoidance of doubt, where the Work
+ is a musical composition or sound recording, the synchronization of
+ the Work in timed-relation with a moving image ("synching") will be
+ considered a Derivative Work for the purpose of this License.
+ 3. *"Licensor"* means the individual, individuals, entity or entities
+ that offers the Work under the terms of this License.
+ 4. *"Original Author"* means the individual, individuals, entity or
+ entities who created the Work.
+ 5. *"Work"* means the copyrightable work of authorship offered under
+ the terms of this License.
+ 6. *"You"* means an individual or entity exercising rights under this
+ License who has not previously violated the terms of this License
+ with respect to the Work, or who has received express permission
+ from the Licensor to exercise rights under this License despite a
+ previous violation.
+
+*2. Fair Use Rights.* Nothing in this license is intended to reduce,
+limit, or restrict any rights arising from fair use, first sale or other
+limitations on the exclusive rights of the copyright owner under
+copyright law or other applicable laws.
+
+*3. License Grant.* Subject to the terms and conditions of this License,
+Licensor hereby grants You a worldwide, royalty-free, non-exclusive,
+perpetual (for the duration of the applicable copyright) license to
+exercise the rights in the Work as stated below:
+
+ 1. to reproduce the Work, to incorporate the Work into one or more
+ Collective Works, and to reproduce the Work as incorporated in the
+ Collective Works;
+ 2. to create and reproduce Derivative Works provided that any such
+ Derivative Work, including any translation in any medium, takes
+ reasonable steps to clearly label, demarcate or otherwise identify
+ that changes were made to the original Work. For example, a
+ translation could be marked "The original work was translated from
+ English to Spanish," or a modification could indicate "The original
+ work has been modified.";;
+ 3. to distribute copies or phonorecords of, display publicly, perform
+ publicly, and perform publicly by means of a digital audio
+ transmission the Work including as incorporated in Collective Works;
+ 4. to distribute copies or phonorecords of, display publicly, perform
+ publicly, and perform publicly by means of a digital audio
+ transmission Derivative Works.
+ 5.
+
+ For the avoidance of doubt, where the Work is a musical composition:
+
+ 1. *Performance Royalties Under Blanket Licenses*. Licensor waives
+ the exclusive right to collect, whether individually or, in the
+ event that Licensor is a member of a performance rights society
+ (e.g. ASCAP, BMI, SESAC), via that society, royalties for the
+ public performance or public digital performance (e.g. webcast)
+ of the Work.
+ 2. *Mechanical Rights and Statutory Royalties*. Licensor waives the
+ exclusive right to collect, whether individually or via a music
+ rights agency or designated agent (e.g. Harry Fox Agency),
+ royalties for any phonorecord You create from the Work ("cover
+ version") and distribute, subject to the compulsory license
+ created by 17 USC Section 115 of the US Copyright Act (or the
+ equivalent in other jurisdictions).
+ 6. *Webcasting Rights and Statutory Royalties*. For the avoidance of
+ doubt, where the Work is a sound recording, Licensor waives the
+ exclusive right to collect, whether individually or via a
+ performance-rights society (e.g. SoundExchange), royalties for the
+ public digital performance (e.g. webcast) of the Work, subject to
+ the compulsory license created by 17 USC Section 114 of the US
+ Copyright Act (or the equivalent in other jurisdictions).
+
+The above rights may be exercised in all media and formats whether now
+known or hereafter devised. The above rights include the right to make
+such modifications as are technically necessary to exercise the rights
+in other media and formats. All rights not expressly granted by Licensor
+are hereby reserved.
+
+*4. Restrictions.* The license granted in Section 3 above is expressly
+made subject to and limited by the following restrictions:
+
+ 1. You may distribute, publicly display, publicly perform, or publicly
+ digitally perform the Work only under the terms of this License, and
+ You must include a copy of, or the Uniform Resource Identifier for,
+ this License with every copy or phonorecord of the Work You
+ distribute, publicly display, publicly perform, or publicly
+ digitally perform. You may not offer or impose any terms on the Work
+ that restrict the terms of this License or the ability of a
+ recipient of the Work to exercise the rights granted to that
+ recipient under the terms of the License. You may not sublicense the
+ Work. You must keep intact all notices that refer to this License
+ and to the disclaimer of warranties. When You distribute, publicly
+ display, publicly perform, or publicly digitally perform the Work,
+ You may not impose any technological measures on the Work that
+ restrict the ability of a recipient of the Work from You to exercise
+ the rights granted to that recipient under the terms of the License.
+ This Section 4(a) applies to the Work as incorporated in a
+ Collective Work, but this does not require the Collective Work apart
+ from the Work itself to be made subject to the terms of this
+ License. If You create a Collective Work, upon notice from any
+ Licensor You must, to the extent practicable, remove from the
+ Collective Work any credit as required by Section 4(b), as
+ requested. If You create a Derivative Work, upon notice from any
+ Licensor You must, to the extent practicable, remove from the
+ Derivative Work any credit as required by Section 4(b), as requested.
+ 2. If You distribute, publicly display, publicly perform, or publicly
+ digitally perform the Work (as defined in Section 1 above) or any
+ Derivative Works (as defined in Section 1 above) or Collective Works
+ (as defined in Section 1 above), You must, unless a request has been
+ made pursuant to Section 4(a), keep intact all copyright notices for
+ the Work and provide, reasonable to the medium or means You are
+ utilizing: (i) the name of the Original Author (or pseudonym, if
+ applicable) if supplied, and/or (ii) if the Original Author and/or
+ Licensor designate another party or parties (e.g. a sponsor
+ institute, publishing entity, journal) for attribution ("Attribution
+ Parties") in Licensor's copyright notice, terms of service or by
+ other reasonable means, the name of such party or parties; the title
+ of the Work if supplied; to the extent reasonably practicable, the
+ Uniform Resource Identifier, if any, that Licensor specifies to be
+ associated with the Work, unless such URI does not refer to the
+ copyright notice or licensing information for the Work; and,
+ consistent with Section 3(b) in the case of a Derivative Work, a
+ credit identifying the use of the Work in the Derivative Work (e.g.,
+ "French translation of the Work by Original Author," or "Screenplay
+ based on original Work by Original Author"). The credit required by
+ this Section 4(b) may be implemented in any reasonable manner;
+ provided, however, that in the case of a Derivative Work or
+ Collective Work, at a minimum such credit will appear, if a credit
+ for all contributing authors of the Derivative Work or Collective
+ Work appears, then as part of these credits and in a manner at least
+ as prominent as the credits for the other contributing authors. For
+ the avoidance of doubt, You may only use the credit required by this
+ Section for the purpose of attribution in the manner set out above
+ and, by exercising Your rights under this License, You may not
+ implicitly or explicitly assert or imply any connection with,
+ sponsorship or endorsement by the Original Author, Licensor and/or
+ Attribution Parties, as appropriate, of You or Your use of the Work,
+ without the separate, express prior written permission of the
+ Original Author, Licensor and/or Attribution Parties.
+
+*5. Representations, Warranties and Disclaimer*
+
+UNLESS OTHERWISE MUTUALLY AGREED TO BY THE PARTIES IN WRITING, LICENSOR
+OFFERS THE WORK AS-IS AND ONLY TO THE EXTENT OF ANY RIGHTS HELD IN THE
+LICENSED WORK BY THE LICENSOR. THE LICENSOR MAKES NO REPRESENTATIONS OR
+WARRANTIES OF ANY KIND CONCERNING THE WORK, EXPRESS, IMPLIED, STATUTORY
+OR OTHERWISE, INCLUDING, WITHOUT LIMITATION, WARRANTIES OF TITLE,
+MARKETABILITY, MERCHANTIBILITY, FITNESS FOR A PARTICULAR PURPOSE,
+NONINFRINGEMENT, OR THE ABSENCE OF LATENT OR OTHER DEFECTS, ACCURACY, OR
+THE PRESENCE OF ABSENCE OF ERRORS, WHETHER OR NOT DISCOVERABLE. SOME
+JURISDICTIONS DO NOT ALLOW THE EXCLUSION OF IMPLIED WARRANTIES, SO SUCH
+EXCLUSION MAY NOT APPLY TO YOU.
+
+*6. Limitation on Liability.* EXCEPT TO THE EXTENT REQUIRED BY
+APPLICABLE LAW, IN NO EVENT WILL LICENSOR BE LIABLE TO YOU ON ANY LEGAL
+THEORY FOR ANY SPECIAL, INCIDENTAL, CONSEQUENTIAL, PUNITIVE OR EXEMPLARY
+DAMAGES ARISING OUT OF THIS LICENSE OR THE USE OF THE WORK, EVEN IF
+LICENSOR HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES.
+
+*7. Termination*
+
+ 1. This License and the rights granted hereunder will terminate
+ automatically upon any breach by You of the terms of this License.
+ Individuals or entities who have received Derivative Works (as
+ defined in Section 1 above) or Collective Works (as defined in
+ Section 1 above) from You under this License, however, will not have
+ their licenses terminated provided such individuals or entities
+ remain in full compliance with those licenses. Sections 1, 2, 5, 6,
+ 7, and 8 will survive any termination of this License.
+ 2. Subject to the above terms and conditions, the license granted here
+ is perpetual (for the duration of the applicable copyright in the
+ Work). Notwithstanding the above, Licensor reserves the right to
+ release the Work under different license terms or to stop
+ distributing the Work at any time; provided, however that any such
+ election will not serve to withdraw this License (or any other
+ license that has been, or is required to be, granted under the terms
+ of this License), and this License will continue in full force and
+ effect unless terminated as stated above.
+
+*8. Miscellaneous*
+
+ 1. Each time You distribute or publicly digitally perform the Work (as
+ defined in Section 1 above) or a Collective Work (as defined in
+ Section 1 above), the Licensor offers to the recipient a license to
+ the Work on the same terms and conditions as the license granted to
+ You under this License.
+ 2. Each time You distribute or publicly digitally perform a Derivative
+ Work, Licensor offers to the recipient a license to the original
+ Work on the same terms and conditions as the license granted to You
+ under this License.
+ 3. If any provision of this License is invalid or unenforceable under
+ applicable law, it shall not affect the validity or enforceability
+ of the remainder of the terms of this License, and without further
+ action by the parties to this agreement, such provision shall be
+ reformed to the minimum extent necessary to make such provision
+ valid and enforceable.
+ 4. No term or provision of this License shall be deemed waived and no
+ breach consented to unless such waiver or consent shall be in
+ writing and signed by the party to be charged with such waiver or
+ consent.
+ 5. This License constitutes the entire agreement between the parties
+ with respect to the Work licensed here. There are no understandings,
+ agreements or representations with respect to the Work not specified
+ here. Licensor shall not be bound by any additional provisions that
+ may appear in any communication from You. This License may not be
+ modified without the mutual written agreement of the Licensor and You.
+
+
+ Creative Commons Notice
+
+ Creative Commons is not a party to this License, and makes no
+ warranty whatsoever in connection with the Work. Creative Commons
+ will not be liable to You or any party on any legal theory for any
+ damages whatsoever, including without limitation any general,
+ special, incidental or consequential damages arising in connection
+ to this license. Notwithstanding the foregoing two (2) sentences, if
+ Creative Commons has expressly identified itself as the Licensor
+ hereunder, it shall have all rights and obligations of Licensor.
+
+ Except for the limited purpose of indicating to the public that the
+ Work is licensed under the CCPL, Creative Commons does not authorize
+ the use by either party of the trademark "Creative Commons" or any
+ related trademark or logo of Creative Commons without the prior
+ written consent of Creative Commons. Any permitted use will be in
+ compliance with Creative Commons' then-current trademark usage
+ guidelines, as may be published on its website or otherwise made
+ available upon request from time to time. For the avoidance of
+ doubt, this trademark restriction does not form part of the License.
+
+ Creative Commons may be contacted at https://creativecommons.org/.
+
+« Back to Commons Deed
+
diff --git a/src/qt/res/src/questionmark.svg b/src/qt/res/src/questionmark.svg
deleted file mode 100755
index c03c159a5f1c5..0000000000000
--- a/src/qt/res/src/questionmark.svg
+++ /dev/null
@@ -1,159 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/receive.xcf b/src/qt/res/src/receive.xcf
deleted file mode 100644
index bda3cc30a5b98..0000000000000
Binary files a/src/qt/res/src/receive.xcf and /dev/null differ
diff --git a/src/qt/res/src/receive_dark.xcf b/src/qt/res/src/receive_dark.xcf
deleted file mode 100644
index 054a6c6413945..0000000000000
Binary files a/src/qt/res/src/receive_dark.xcf and /dev/null differ
diff --git a/src/qt/res/src/reload.svg b/src/qt/res/src/reload.svg
new file mode 100644
index 0000000000000..20634ed6fec32
--- /dev/null
+++ b/src/qt/res/src/reload.svg
@@ -0,0 +1,237 @@
+
+
+
+
diff --git a/src/qt/res/src/send.xcf b/src/qt/res/src/send.xcf
deleted file mode 100644
index f6e11b471ab43..0000000000000
Binary files a/src/qt/res/src/send.xcf and /dev/null differ
diff --git a/src/qt/res/src/send_dark.xcf b/src/qt/res/src/send_dark.xcf
deleted file mode 100644
index 11fb53ca8702a..0000000000000
Binary files a/src/qt/res/src/send_dark.xcf and /dev/null differ
diff --git a/src/qt/res/src/snapcraft-text.svg b/src/qt/res/src/snapcraft-text.svg
deleted file mode 100644
index c3afb471ba979..0000000000000
--- a/src/qt/res/src/snapcraft-text.svg
+++ /dev/null
@@ -1,312 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/splash.svg b/src/qt/res/src/splash.svg
index 34001e30a4d94..0b6059e1ce94b 100644
--- a/src/qt/res/src/splash.svg
+++ b/src/qt/res/src/splash.svg
@@ -11,179 +11,1010 @@
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
- version="1.1"
- id="Layer_1"
- x="0px"
- y="0px"
- viewBox="0 0 1337.6097 1533.6999"
- xml:space="preserve"
- sodipodi:docname="splash.svg"
- width="1337.6097"
- height="1533.7"
- inkscape:version="0.92.3 (2405546, 2018-03-11)"
- inkscape:export-filename="/media/dev/M2SSD/go/github.com/cevap/ion/src/qt/res/images/splash_testnet_snap.png"
+ inkscape:export-ydpi="36.304363"
inkscape:export-xdpi="36.304363"
- inkscape:export-ydpi="36.304363">Ion Core QT splash screen for main networkIon Core QT splash for all networksimage/svg+xmlIon Core QT splash screen for main networkGMT: Monday, 15. April 2019 18:47:35Ionomy limitedIonomy limitedsplashhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/splash.svgioncoresplashmainionomy ltd
-CEVAP
-ioncoincorehttps://raw.githubusercontent.com/ioncoincore/ion/master/COPYINGhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/splash.svgEnglishIon Core splash screenIon Core Digital Currency (by Ionomy limited) - https://ionomy.comIon Core QT splash for all networksGMT: Monday, 15. April 2019 18:47:35Ionomy limitedIonomy limitedsplashhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/splash.svgioncoresplashmaintestnetregtestnetworkCEVAPhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/LICENSE.mdhttps://raw.githubusercontent.com/ioncoincore/ion/master/src/qt/res/src/splash.svgEnglishIon Core splash screen for all networksIon Core Digital Currency (by Ionomy limited) - https://ionomy.comProcessAny processing function.
+
+
+
+
+
+
+
+
+
+
+
+
+
+Thought BalloonNurserygithubfacebook1f3ae1f3ce1f3cd
+ xlink:href="#linearGradient19284"
+ id="radialGradient86702"
+ gradientUnits="userSpaceOnUse"
+ gradientTransform="matrix(1,0,0,0.67213115,0,24.590164)"
+ cx="75"
+ cy="75"
+ fx="75"
+ fy="75"
+ r="61" />1f6801f6811f5f31f6981f69b1f6a2
+
+
- Ionomy is blockchain for gamers and game developersGet paid for playing games or develop gamesplay gamesget paid andhttps://github.com/ioncoincore/iongihub-urlhttps://twitter.com/ionomicsTweet with ushttps://facebook.com/ionomyVisit us on facebooki
+ transform="translate(465.7966,427.6227)">
- n
-
-
-
-
-
-
-
-
-
-
-
-
-
-
this project is supported and sponsored by i nomy.com
+ dx="0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0 0.029999999"
+ style="font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-size:426.66665649px;font-family:Futura-Book;-inkscape-font-specification:Futura-Book;fill:#ffffff"
+ id="text153869"
+ class="st0 st1">this project is supported and sponsored by i nomy.com
+
+
+
+
+
+
+
+ transform="translate(465.7966,427.6227)">
+
+
+
+
+
+
+
blockchain for gamers
+ style="font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-size:426.66665649px;font-family:Futura-Book;-inkscape-font-specification:Futura-Book;fill:#00130f;fill-opacity:0.63529412;stroke:#000000;stroke-opacity:1"
+ id="text153841"
+ class="st0 st1">blockchain for gamers
+
+
+
+
+
+
+
+ transform="translate(465.7966,427.6227)">
+
+
+
+
+
+
+
The Business Of Fun
+ style="font-style:normal;font-variant:normal;font-weight:normal;font-stretch:normal;font-size:426.66665649px;font-family:Futura-Book;-inkscape-font-specification:Futura-Book;fill:#00130f;fill-opacity:0.63529412"
+ id="text153099"
+ class="st0 st1">The Business Of Fun
+
+
+
+
+
+
+
+
+
+
+
+
+I Nregression test networkmainnet
+
+
+
+
+
+I Ntest network
+
+
+
+
+
+I N
+
+
+
+
+
+
+
+
+
+
+
+
+
+Snap build
\ No newline at end of file
+ style="font-size:826.70300293px;display:inline;fill:#82bea0;stroke-width:1.49190986" />
\ No newline at end of file
diff --git a/src/qt/res/src/splash_snap.svg b/src/qt/res/src/splash_snap.svg
deleted file mode 100644
index f22959fc6c877..0000000000000
--- a/src/qt/res/src/splash_snap.svg
+++ /dev/null
@@ -1,34989 +0,0 @@
-
-
-
-
\ No newline at end of file
diff --git a/src/qt/res/src/stats.svg b/src/qt/res/src/stats.svg
deleted file mode 100644
index 93b3c27b32efb..0000000000000
--- a/src/qt/res/src/stats.svg
+++ /dev/null
@@ -1,23 +0,0 @@
-
-
-
diff --git a/src/qt/res/src/transaction.svg b/src/qt/res/src/transaction.svg
index 1193db56b42a8..960bebcd048c2 100755
--- a/src/qt/res/src/transaction.svg
+++ b/src/qt/res/src/transaction.svg
@@ -409,7 +409,7 @@ small icons 16x16
sodipodi:insensitive="true">
y="0"
x="0"
xlink:href="#icon-target"
- style="fill:#34ba27;fill-opacity:1;stroke:#e0e026;stroke-width:10.5;stroke-miterlimit:4;stroke-ionarray:none;stroke-opacity:1"
+ style="fill:#34ba27;fill-opacity:1;stroke:#e0e026;stroke-width:10.5;stroke-miterlimit:4;stroke-dasharray:none;stroke-opacity:1"
id="use87243" />
diff --git a/src/qt/res/src/tx_mined.xcf b/src/qt/res/src/tx_mined.xcf
deleted file mode 100644
index 75ae24b25e927..0000000000000
Binary files a/src/qt/res/src/tx_mined.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_ion.xcf b/src/qt/res/src/unit_ion.xcf
deleted file mode 100644
index 7f58bbdc40038..0000000000000
Binary files a/src/qt/res/src/unit_ion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_mion.xcf b/src/qt/res/src/unit_mion.xcf
deleted file mode 100644
index 4db5cf9d04adb..0000000000000
Binary files a/src/qt/res/src/unit_mion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_rion.xcf b/src/qt/res/src/unit_rion.xcf
deleted file mode 100644
index 44c8cd92fcf10..0000000000000
Binary files a/src/qt/res/src/unit_rion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_rmion.xcf b/src/qt/res/src/unit_rmion.xcf
deleted file mode 100644
index 4877d61f009c4..0000000000000
Binary files a/src/qt/res/src/unit_rmion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_ruion.xcf b/src/qt/res/src/unit_ruion.xcf
deleted file mode 100644
index 3713f05cf23f6..0000000000000
Binary files a/src/qt/res/src/unit_ruion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_tion.xcf b/src/qt/res/src/unit_tion.xcf
deleted file mode 100644
index 6c119c30679b4..0000000000000
Binary files a/src/qt/res/src/unit_tion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_tmion.xcf b/src/qt/res/src/unit_tmion.xcf
deleted file mode 100644
index 9ac411647d2dd..0000000000000
Binary files a/src/qt/res/src/unit_tmion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_tuion.xcf b/src/qt/res/src/unit_tuion.xcf
deleted file mode 100644
index 02405d2c7c849..0000000000000
Binary files a/src/qt/res/src/unit_tuion.xcf and /dev/null differ
diff --git a/src/qt/res/src/unit_uion.xcf b/src/qt/res/src/unit_uion.xcf
deleted file mode 100644
index 9c0ae702853b5..0000000000000
Binary files a/src/qt/res/src/unit_uion.xcf and /dev/null differ
diff --git a/src/qt/res/src/voting-tab.svg b/src/qt/res/src/voting-tab.svg
deleted file mode 100644
index 17d9a467fe867..0000000000000
--- a/src/qt/res/src/voting-tab.svg
+++ /dev/null
@@ -1,247 +0,0 @@
-
-
-
-
diff --git a/src/qt/res/src/wallet.svg b/src/qt/res/src/wallet.svg
deleted file mode 100644
index 45ab01799a885..0000000000000
--- a/src/qt/res/src/wallet.svg
+++ /dev/null
@@ -1,37 +0,0 @@
-
-
-
diff --git a/src/qt/rpcconsole.cpp b/src/qt/rpcconsole.cpp
index 7a5c3ec9abae5..a3a9b0c5795a8 100644
--- a/src/qt/rpcconsole.cpp
+++ b/src/qt/rpcconsole.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -19,7 +18,7 @@
#include "rpc/server.h"
#include "util.h"
#ifdef ENABLE_WALLET
-#include "wallet.h"
+#include "wallet/wallet.h"
#endif // ENABLE_WALLET
#include
diff --git a/src/qt/rpcconsole.h b/src/qt/rpcconsole.h
index b95efd42a511f..0fd7e3b829f1b 100644
--- a/src/qt/rpcconsole.h
+++ b/src/qt/rpcconsole.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/sendcoinsdialog.cpp b/src/qt/sendcoinsdialog.cpp
index 9044b2744ba8f..50b8892739f2b 100644
--- a/src/qt/sendcoinsdialog.cpp
+++ b/src/qt/sendcoinsdialog.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -22,7 +21,7 @@
#include "coincontrol.h"
#include "ui_interface.h"
#include "utilmoneystr.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include
#include
@@ -194,7 +193,7 @@ void SendCoinsDialog::setModel(WalletModel* model)
connect(ui->checkBoxMinimumFee, SIGNAL(stateChanged(int)), this, SLOT(coinControlUpdateLabels()));
connect(ui->checkBoxFreeTx, SIGNAL(stateChanged(int)), this, SLOT(updateGlobalFeeVariables()));
connect(ui->checkBoxFreeTx, SIGNAL(stateChanged(int)), this, SLOT(coinControlUpdateLabels()));
- ui->customFee->setSingleStep(CWallet::GetRequiredFee(1000));
+ ui->customFee->setSingleStep(CWallet::minTxFee.GetFeePerK());
updateFeeSectionControls();
updateMinFeeLabel();
updateSmartFeeLabel();
@@ -228,8 +227,8 @@ void SendCoinsDialog::on_sendButton_clicked()
SendCoinsEntry* entry = qobject_cast(ui->entries->itemAt(i)->widget());
//UTXO splitter - address should be our own
- const CTxDestination dest = DecodeDestination(entry->getValue().address.toStdString());
- if (!model->isMine(dest) && ui->splitBlockCheckBox->checkState() == Qt::Checked) {
+ CBitcoinAddress address = entry->getValue().address.toStdString();
+ if (!model->isMine(address) && ui->splitBlockCheckBox->checkState() == Qt::Checked) {
CoinControlDialog::coinControl->fSplitBlock = false;
ui->splitBlockCheckBox->setCheckState(Qt::Unchecked);
QMessageBox::warning(this, tr("Send Coins"),
@@ -281,7 +280,7 @@ void SendCoinsDialog::on_sendButton_clicked()
// Format confirmation message
QStringList formatted;
- foreach(const SendCoinsRecipient &rcp, recipients) {
+ foreach (const SendCoinsRecipient& rcp, recipients) {
// generate bold amount string
QString amount = "" + BitcoinUnits::formatHtmlWithUnit(model->getOptionsModel()->getDisplayUnit(), rcp.amount);
amount.append(" ").append(strFunds);
@@ -454,7 +453,6 @@ SendCoinsEntry* SendCoinsDialog::addEntry()
ui->entries->addWidget(entry);
connect(entry, SIGNAL(removeEntry(SendCoinsEntry*)), this, SLOT(removeEntry(SendCoinsEntry*)));
connect(entry, SIGNAL(payAmountChanged()), this, SLOT(coinControlUpdateLabels()));
- connect(entry, SIGNAL(subtractFeeFromAmountChanged()), this, SLOT(coinControlUpdateLabels()));
updateTabsAndLabels();
@@ -698,7 +696,7 @@ void SendCoinsDialog::on_buttonMinimizeFee_clicked()
void SendCoinsDialog::setMinimumFee()
{
ui->radioCustomPerKilobyte->setChecked(true);
- ui->customFee->setValue(CWallet::GetRequiredFee(1000));
+ ui->customFee->setValue(CWallet::minTxFee.GetFeePerK());
}
void SendCoinsDialog::updateFeeSectionControls()
@@ -749,7 +747,7 @@ void SendCoinsDialog::updateFeeMinimizedLabel()
void SendCoinsDialog::updateMinFeeLabel()
{
if (model && model->getOptionsModel())
- ui->checkBoxMinimumFee->setText(tr("Pay only the required fee of %1").arg(BitcoinUnits::formatWithUnit(model->getOptionsModel()->getDisplayUnit(), CWallet::GetRequiredFee(1000)) + "/kB"));
+ ui->checkBoxMinimumFee->setText(tr("Pay only the minimum fee of %1").arg(BitcoinUnits::formatWithUnit(model->getOptionsModel()->getDisplayUnit(), CWallet::minTxFee.GetFeePerK()) + "/kB"));
}
void SendCoinsDialog::updateSmartFeeLabel()
@@ -766,7 +764,7 @@ void SendCoinsDialog::updateSmartFeeLabel()
ui->labelSmartFee2->hide();
} else if (feeRate <= CFeeRate(0)) // not enough data => minfee
{
- ui->labelSmartFee->setText(BitcoinUnits::formatWithUnit(model->getOptionsModel()->getDisplayUnit(), CWallet::GetRequiredFee(1000)) + "/kB");
+ ui->labelSmartFee->setText(BitcoinUnits::formatWithUnit(model->getOptionsModel()->getDisplayUnit(), CWallet::minTxFee.GetFeePerK()) + "/kB");
ui->labelSmartFee2->show(); // (Smart fee not initialized yet. This usually takes a few blocks...)
ui->labelFeeEstimation->setText("");
} else {
@@ -905,19 +903,20 @@ void SendCoinsDialog::coinControlChangeEdited(const QString& text)
CoinControlDialog::coinControl->destChange = CNoDestination();
ui->labelCoinControlChangeLabel->setStyleSheet("QLabel{color:red;}");
- const CTxDestination dest = DecodeDestination(text.toStdString());
+ CBitcoinAddress addr = CBitcoinAddress(text.toStdString());
if (text.isEmpty()) // Nothing entered
{
ui->labelCoinControlChangeLabel->setText("");
- } else if (!IsValidDestination(dest)) // Invalid address
+ } else if (!addr.IsValid()) // Invalid address
{
ui->labelCoinControlChangeLabel->setText(tr("Warning: Invalid ION address"));
} else // Valid address
{
CPubKey pubkey;
- const CKeyID* keyID = boost::get(&dest);
- if (!keyID) // Unknown change address
+ CKeyID keyid;
+ addr.GetKeyID(keyid);
+ if (!model->getPubKey(keyid, pubkey)) // Unknown change address
{
ui->labelCoinControlChangeLabel->setText(tr("Warning: Unknown change address"));
} else // Known change address
@@ -931,7 +930,7 @@ void SendCoinsDialog::coinControlChangeEdited(const QString& text)
else
ui->labelCoinControlChangeLabel->setText(tr("(no label)"));
- CoinControlDialog::coinControl->destChange = dest;
+ CoinControlDialog::coinControl->destChange = addr.Get();
}
}
}
@@ -945,16 +944,10 @@ void SendCoinsDialog::coinControlUpdateLabels()
// set pay amounts
CoinControlDialog::payAmounts.clear();
- CoinControlDialog::fSubtractFeeFromAmount = false;
for (int i = 0; i < ui->entries->count(); ++i) {
SendCoinsEntry* entry = qobject_cast(ui->entries->itemAt(i)->widget());
if (entry)
- {
- SendCoinsRecipient rcp = entry->getValue();
- CoinControlDialog::payAmounts.append(rcp.amount);
- if (rcp.fSubtractFeeFromAmount)
- CoinControlDialog::fSubtractFeeFromAmount = true;
- }
+ CoinControlDialog::payAmounts.append(entry->getValue().amount);
}
if (CoinControlDialog::coinControl->HasSelected()) {
diff --git a/src/qt/sendcoinsdialog.h b/src/qt/sendcoinsdialog.h
index d639410624a22..086ba18a02c1c 100644
--- a/src/qt/sendcoinsdialog.h
+++ b/src/qt/sendcoinsdialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/sendcoinsentry.cpp b/src/qt/sendcoinsentry.cpp
index 91265d087660c..a11faf50b2ca7 100644
--- a/src/qt/sendcoinsentry.cpp
+++ b/src/qt/sendcoinsentry.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -37,7 +36,6 @@ SendCoinsEntry::SendCoinsEntry(QWidget* parent) : QStackedWidget(parent),
// Connect signals
connect(ui->payAmount, SIGNAL(valueChanged()), this, SIGNAL(payAmountChanged()));
- connect(ui->checkboxSubtractFeeFromAmount, SIGNAL(toggled(bool)), this, SIGNAL(subtractFeeFromAmountChanged()));
connect(ui->deleteButton, SIGNAL(clicked()), this, SLOT(deleteClicked()));
connect(ui->deleteButton_is, SIGNAL(clicked()), this, SLOT(deleteClicked()));
connect(ui->deleteButton_s, SIGNAL(clicked()), this, SLOT(deleteClicked()));
@@ -87,7 +85,6 @@ void SendCoinsEntry::clear()
ui->payTo->clear();
ui->addAsLabel->clear();
ui->payAmount->clear();
- ui->checkboxSubtractFeeFromAmount->setCheckState(Qt::Unchecked);
ui->messageTextLabel->clear();
ui->messageTextLabel->hide();
ui->messageLabel->hide();
@@ -156,7 +153,6 @@ SendCoinsRecipient SendCoinsEntry::getValue()
recipient.label = ui->addAsLabel->text();
recipient.amount = ui->payAmount->value();
recipient.message = ui->messageTextLabel->text();
- recipient.fSubtractFeeFromAmount = (ui->checkboxSubtractFeeFromAmount->checkState() == Qt::Checked);
return recipient;
}
@@ -166,8 +162,7 @@ QWidget* SendCoinsEntry::setupTabChain(QWidget* prev)
QWidget::setTabOrder(prev, ui->payTo);
QWidget::setTabOrder(ui->payTo, ui->addAsLabel);
QWidget* w = ui->payAmount->setupTabChain(ui->addAsLabel);
- QWidget::setTabOrder(w, ui->checkboxSubtractFeeFromAmount);
- QWidget::setTabOrder(ui->checkboxSubtractFeeFromAmount, ui->addressBookButton);
+ QWidget::setTabOrder(w, ui->addressBookButton);
QWidget::setTabOrder(ui->addressBookButton, ui->pasteButton);
QWidget::setTabOrder(ui->pasteButton, ui->deleteButton);
return ui->deleteButton;
diff --git a/src/qt/sendcoinsentry.h b/src/qt/sendcoinsentry.h
index 28e21582761a0..bb3e196eb4775 100644
--- a/src/qt/sendcoinsentry.h
+++ b/src/qt/sendcoinsentry.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -54,7 +53,6 @@ public slots:
signals:
void removeEntry(SendCoinsEntry* entry);
void payAmountChanged();
- void subtractFeeFromAmountChanged();
private slots:
void deleteClicked();
diff --git a/src/qt/signverifymessagedialog.cpp b/src/qt/signverifymessagedialog.cpp
index eb88d7ba25b3f..c1742bd8bdfdd 100644
--- a/src/qt/signverifymessagedialog.cpp
+++ b/src/qt/signverifymessagedialog.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -14,7 +13,7 @@
#include "base58.h"
#include "init.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include "askpassphrasedialog.h"
#include
@@ -104,14 +103,14 @@ void SignVerifyMessageDialog::on_signMessageButton_SM_clicked()
/* Clear old signature to ensure users don't get confused on error with an old signature displayed */
ui->signatureOut_SM->clear();
- CTxDestination destination = DecodeDestination(ui->addressIn_SM->text().toStdString());
- if (!IsValidDestination(destination)) {
+ CBitcoinAddress addr(ui->addressIn_SM->text().toStdString());
+ if (!addr.IsValid()) {
ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_SM->setText(tr("The entered address is invalid.") + QString(" ") + tr("Please check the address and try again."));
return;
}
- const CKeyID* keyID = boost::get(&destination);
- if (!keyID) {
+ CKeyID keyID;
+ if (!addr.GetKeyID(keyID)) {
ui->addressIn_SM->setValid(false);
ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_SM->setText(tr("The entered address does not refer to a key.") + QString(" ") + tr("Please check the address and try again."));
@@ -126,7 +125,7 @@ void SignVerifyMessageDialog::on_signMessageButton_SM_clicked()
}
CKey key;
- if (!pwalletMain->GetKey(*keyID, key)) {
+ if (!pwalletMain->GetKey(keyID, key)) {
ui->statusLabel_SM->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_SM->setText(tr("Private key for the entered address is not available."));
return;
@@ -177,14 +176,14 @@ void SignVerifyMessageDialog::on_addressBookButton_VM_clicked()
void SignVerifyMessageDialog::on_verifyMessageButton_VM_clicked()
{
- CTxDestination destination = DecodeDestination(ui->addressIn_SM->text().toStdString());
- if (!IsValidDestination(destination)) {
+ CBitcoinAddress addr(ui->addressIn_VM->text().toStdString());
+ if (!addr.IsValid()) {
ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_VM->setText(tr("The entered address is invalid.") + QString(" ") + tr("Please check the address and try again."));
return;
}
- const CKeyID* keyID = boost::get(&destination);
- if (!keyID) {
+ CKeyID keyID;
+ if (!addr.GetKeyID(keyID)) {
ui->addressIn_VM->setValid(false);
ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_VM->setText(tr("The entered address does not refer to a key.") + QString(" ") + tr("Please check the address and try again."));
@@ -213,7 +212,7 @@ void SignVerifyMessageDialog::on_verifyMessageButton_VM_clicked()
return;
}
- if (!(CTxDestination(pubkey.GetID()) == destination)) {
+ if (!(CBitcoinAddress(pubkey.GetID()) == addr)) {
ui->statusLabel_VM->setStyleSheet("QLabel { color: red; }");
ui->statusLabel_VM->setText(QString("") + tr("Message verification failed.") + QString(""));
return;
diff --git a/src/qt/signverifymessagedialog.h b/src/qt/signverifymessagedialog.h
index 41f31d393f357..41d746582f4ae 100644
--- a/src/qt/signverifymessagedialog.h
+++ b/src/qt/signverifymessagedialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/splashscreen.cpp b/src/qt/splashscreen.cpp
index e6559d08f5ff1..df2bc2147088f 100644
--- a/src/qt/splashscreen.cpp
+++ b/src/qt/splashscreen.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -15,7 +14,7 @@
#include "version.h"
#ifdef ENABLE_WALLET
-#include "wallet.h"
+#include "wallet/wallet.h"
#endif
#include
@@ -34,12 +33,11 @@ SplashScreen::SplashScreen(Qt::WindowFlags f, const NetworkStyle* networkStyle)
float fontFactor = 1.0;
// define text to place
- QString titleText = tr("Ion Core");
+ QString titleText = tr("ION Core");
QString versionText = QString(tr("Version %1")).arg(QString::fromStdString(FormatFullVersion()));
QString copyrightTextBtc = QChar(0xA9) + QString(" 2009-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The Bitcoin Core developers"));
QString copyrightTextDash = QChar(0xA9) + QString(" 2014-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The Dash Core developers"));
- QString copyrightTextPIVX = QChar(0xA9) + QString(" 2015-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The PIVX Core developers"));
- QString copyrightTextION = QChar(0xA9) + QString(" 2018-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The Ion Core developers"));
+ QString copyrightTextPIVX = QChar(0xA9) + QString(" 2015-%1 ").arg(COPYRIGHT_YEAR) + QString(tr("The ION Core developers"));
QString titleAddText = networkStyle->getTitleAddText();
QString font = QApplication::font().toString();
@@ -72,7 +70,6 @@ SplashScreen::SplashScreen(Qt::WindowFlags f, const NetworkStyle* networkStyle)
pixPaint.drawText(paddingLeft, paddingTop + titleCopyrightVSpace, copyrightTextBtc);
pixPaint.drawText(paddingLeft, paddingTop + titleCopyrightVSpace + 12, copyrightTextDash);
pixPaint.drawText(paddingLeft, paddingTop + titleCopyrightVSpace + 24, copyrightTextPIVX);
- pixPaint.drawText(paddingLeft, paddingTop + titleCopyrightVSpace + 36, copyrightTextION);
// draw additional text if special network
if (!titleAddText.isEmpty()) {
diff --git a/src/qt/test/paymentservertests.cpp b/src/qt/test/paymentservertests.cpp
index 4567cb60a56e2..05ded44f44858 100644
--- a/src/qt/test/paymentservertests.cpp
+++ b/src/qt/test/paymentservertests.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2009-2014 The Bitcoin developers
// Copyright (c) 2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/test/test_main.cpp b/src/qt/test/test_main.cpp
index 17b246b1895db..bf7bcc8a3d3f2 100644
--- a/src/qt/test/test_main.cpp
+++ b/src/qt/test/test_main.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2009-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/test/uritests.cpp b/src/qt/test/uritests.cpp
index 0ad0f605cf5bd..73d572c874fbb 100644
--- a/src/qt/test/uritests.cpp
+++ b/src/qt/test/uritests.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2009-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -15,54 +14,54 @@ void URITests::uriTests()
{
SendCoinsRecipient rv;
QUrl uri;
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?req-dontexist="));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?req-dontexist="));
QVERIFY(!GUIUtil::parseBitcoinURI(uri, &rv));
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?dontexist="));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?dontexist="));
QVERIFY(GUIUtil::parseBitcoinURI(uri, &rv));
- QVERIFY(rv.address == QString("iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd"));
+ QVERIFY(rv.address == QString("D72dLgywmL73JyTwQBfuU29CADz9yCJ99v"));
QVERIFY(rv.label == QString());
QVERIFY(rv.amount == 0);
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?label=Some Example Address"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?label=Some Example Address"));
QVERIFY(GUIUtil::parseBitcoinURI(uri, &rv));
- QVERIFY(rv.address == QString("iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd"));
+ QVERIFY(rv.address == QString("D72dLgywmL73JyTwQBfuU29CADz9yCJ99v"));
QVERIFY(rv.label == QString("Some Example Address"));
QVERIFY(rv.amount == 0);
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?amount=0.001"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?amount=0.001"));
QVERIFY(GUIUtil::parseBitcoinURI(uri, &rv));
- QVERIFY(rv.address == QString("iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd"));
+ QVERIFY(rv.address == QString("D72dLgywmL73JyTwQBfuU29CADz9yCJ99v"));
QVERIFY(rv.label == QString());
QVERIFY(rv.amount == 100000);
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?amount=1.001"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?amount=1.001"));
QVERIFY(GUIUtil::parseBitcoinURI(uri, &rv));
- QVERIFY(rv.address == QString("iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd"));
+ QVERIFY(rv.address == QString("D72dLgywmL73JyTwQBfuU29CADz9yCJ99v"));
QVERIFY(rv.label == QString());
QVERIFY(rv.amount == 100100000);
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?amount=100&label=Some Example"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?amount=100&label=Some Example"));
QVERIFY(GUIUtil::parseBitcoinURI(uri, &rv));
- QVERIFY(rv.address == QString("iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd"));
+ QVERIFY(rv.address == QString("D72dLgywmL73JyTwQBfuU29CADz9yCJ99v"));
QVERIFY(rv.amount == 10000000000LL);
QVERIFY(rv.label == QString("Some Example"));
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?message=Some Example Address"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?message=Some Example Address"));
QVERIFY(GUIUtil::parseBitcoinURI(uri, &rv));
- QVERIFY(rv.address == QString("iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd"));
+ QVERIFY(rv.address == QString("D72dLgywmL73JyTwQBfuU29CADz9yCJ99v"));
QVERIFY(rv.label == QString());
- QVERIFY(GUIUtil::parseBitcoinURI("ion://iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?message=Some Example Address", &rv));
- QVERIFY(rv.address == QString("iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd"));
+ QVERIFY(GUIUtil::parseBitcoinURI("ion://D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?message=Some Example Address", &rv));
+ QVERIFY(rv.address == QString("D72dLgywmL73JyTwQBfuU29CADz9yCJ99v"));
QVERIFY(rv.label == QString());
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?req-message=Some Example Address"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?req-message=Some Example Address"));
QVERIFY(GUIUtil::parseBitcoinURI(uri, &rv));
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?amount=1,000&label=Some Example"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?amount=1,000&label=Some Example"));
QVERIFY(!GUIUtil::parseBitcoinURI(uri, &rv));
- uri.setUrl(QString("ion:iWSvhgShkvUpPYxQyMCuRMcmPna583JyPd?amount=1,000.0&label=Some Example"));
+ uri.setUrl(QString("ion:D72dLgywmL73JyTwQBfuU29CADz9yCJ99v?amount=1,000.0&label=Some Example"));
QVERIFY(!GUIUtil::parseBitcoinURI(uri, &rv));
}
diff --git a/src/qt/trafficgraphwidget.cpp b/src/qt/trafficgraphwidget.cpp
index c2a5daa8bb056..74e95e666b0d5 100644
--- a/src/qt/trafficgraphwidget.cpp
+++ b/src/qt/trafficgraphwidget.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/trafficgraphwidget.h b/src/qt/trafficgraphwidget.h
index 98743e6e82840..0ef0e80afbb61 100644
--- a/src/qt/trafficgraphwidget.h
+++ b/src/qt/trafficgraphwidget.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/transactiondesc.cpp b/src/qt/transactiondesc.cpp
index 9ed3ba0bfbad5..b311646c61006 100644
--- a/src/qt/transactiondesc.cpp
+++ b/src/qt/transactiondesc.cpp
@@ -12,13 +12,13 @@
#include "transactionrecord.h"
#include "base58.h"
-#include "db.h"
+#include "wallet/db.h"
#include "main.h"
#include "script/script.h"
#include "timedata.h"
#include "ui_interface.h"
#include "util.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include
#include
@@ -250,7 +250,7 @@ QString TransactionDesc::toHTML(CWallet* wallet, CWalletTx& wtx, TransactionReco
if (wtx.mapValue.count("comment") && !wtx.mapValue["comment"].empty())
strHTML += "
" + tr("Comment") + ":
" + GUIUtil::HtmlEscape(wtx.mapValue["comment"], true) + "
";
- strHTML += "" + tr("Transaction ID") + ": " + QString::fromStdString(rec->getTxID()) + "
";
+ strHTML += "" + tr("Transaction ID") + ": " + rec->getTxID() + "
";
strHTML += "" + tr("Output index") + ": " + QString::number(rec->getOutputIndex()) + "
";
// Message from normal ion:URI (ion:XyZ...?message=example)
diff --git a/src/qt/transactiondesc.h b/src/qt/transactiondesc.h
index b6d106f1bf30c..f15ad30516a2e 100644
--- a/src/qt/transactiondesc.h
+++ b/src/qt/transactiondesc.h
@@ -28,4 +28,4 @@ class TransactionDesc : public QObject
static QString FormatTxStatus(const CWalletTx& wtx);
};
-#endif // BITCOIN_QT_TRANSACTIONDESC_H
\ No newline at end of file
+#endif // BITCOIN_QT_TRANSACTIONDESC_H
diff --git a/src/qt/transactionfilterproxy.cpp b/src/qt/transactionfilterproxy.cpp
index a5f663fcb7785..75d85e682e8d0 100644
--- a/src/qt/transactionfilterproxy.cpp
+++ b/src/qt/transactionfilterproxy.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/transactionfilterproxy.h b/src/qt/transactionfilterproxy.h
index fa40fdc50cf05..0372448a546c7 100644
--- a/src/qt/transactionfilterproxy.h
+++ b/src/qt/transactionfilterproxy.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/transactionrecord.cpp b/src/qt/transactionrecord.cpp
similarity index 77%
rename from src/transactionrecord.cpp
rename to src/qt/transactionrecord.cpp
index efe208fdcb5f6..cf0d0fd676fc9 100644
--- a/src/transactionrecord.cpp
+++ b/src/qt/transactionrecord.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -11,7 +10,7 @@
#include "obfuscation.h"
#include "swifttx.h"
#include "timedata.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include "xionchain.h"
#include
@@ -32,9 +31,9 @@ bool TransactionRecord::showTransaction(const CWalletTx& wtx)
/*
* Decompose CWallet transaction to model transaction records.
*/
-std::vector TransactionRecord::decomposeTransaction(const CWallet* wallet, const CWalletTx& wtx)
+QList TransactionRecord::decomposeTransaction(const CWallet* wallet, const CWalletTx& wtx)
{
- std::vector parts;
+ QList parts;
int64_t nTime = wtx.GetComputedTxTime();
CAmount nCredit = wtx.GetCredit(ISMINE_ALL);
CAmount nDebit = wtx.GetDebit(ISMINE_ALL);
@@ -70,7 +69,7 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
// ION stake reward
sub.involvesWatchAddress = mine & ISMINE_WATCH_ONLY;
sub.type = TransactionRecord::StakeMint;
- sub.address = EncodeDestination(address);
+ sub.address = CBitcoinAddress(address).ToString();
sub.credit = nNet;
} else {
//Masternode reward
@@ -80,12 +79,12 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
isminetype mine = wallet->IsMine(wtx.vout[nIndexMN]);
sub.involvesWatchAddress = mine & ISMINE_WATCH_ONLY;
sub.type = TransactionRecord::MNReward;
- sub.address = EncodeDestination(destMN);
+ sub.address = CBitcoinAddress(destMN).ToString();
sub.credit = wtx.vout[nIndexMN].nValue;
}
}
- parts.push_back(sub);
+ parts.append(sub);
} else if (wtx.IsZerocoinSpend()) {
//zerocoin spend outputs
bool fFeeAssigned = false;
@@ -106,14 +105,14 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
fFeeAssigned = true;
}
sub.idx = parts.size();
- parts.push_back(sub);
+ parts.append(sub);
continue;
}
string strAddress = "";
CTxDestination address;
if (ExtractDestination(txout.scriptPubKey, address))
- strAddress = EncodeDestination(address);
+ strAddress = CBitcoinAddress(address).ToString();
// a zerocoinspend that was sent to an address held by this wallet
isminetype mine = wallet->IsMine(txout);
@@ -130,7 +129,7 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
if (strAddress != "")
sub.address = strAddress;
sub.idx = parts.size();
- parts.push_back(sub);
+ parts.append(sub);
continue;
}
@@ -147,7 +146,7 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
if (strAddress != "")
sub.address = strAddress;
sub.idx = parts.size();
- parts.push_back(sub);
+ parts.append(sub);
}
} else if (nNet > 0 || wtx.IsCoinBase()) {
//
@@ -164,7 +163,7 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
if (ExtractDestination(txout.scriptPubKey, address) && IsMine(*wallet, address)) {
// Received by ION Address
sub.type = TransactionRecord::RecvWithAddress;
- sub.address = EncodeDestination(address);
+ sub.address = CBitcoinAddress(address).ToString();
} else {
// Received by IP connection (deprecated features), or a multisignature or other non-simple transaction
sub.type = TransactionRecord::RecvFromOther;
@@ -175,7 +174,7 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
sub.type = TransactionRecord::Generated;
}
- parts.push_back(sub);
+ parts.append(sub);
}
}
} else {
@@ -207,8 +206,8 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
}
if (fAllFromMeDenom && fAllToMeDenom && nFromMe * nToMe) {
- parts.push_back(TransactionRecord(hash, nTime, TransactionRecord::ObfuscationDenominate, "", -nDebit, nCredit));
- parts.back().involvesWatchAddress = false; // maybe pass to TransactionRecord as constructor argument
+ parts.append(TransactionRecord(hash, nTime, TransactionRecord::ObfuscationDenominate, "", -nDebit, nCredit));
+ parts.last().involvesWatchAddress = false; // maybe pass to TransactionRecord as constructor argument
} else if (fAllFromMe && fAllToMe) {
// Payment to self
// TODO: this section still not accurate but covers most cases,
@@ -224,7 +223,7 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
CTxDestination address;
if (ExtractDestination(wtx.vout[0].scriptPubKey, address)) {
// Sent to ION Address
- sub.address = EncodeDestination(address);
+ sub.address = CBitcoinAddress(address).ToString();
} else {
// Sent to IP, or other non-address transaction like OP_EVAL
sub.address = mapValue["to"];
@@ -244,8 +243,8 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
sub.debit = -(nDebit - nChange);
sub.credit = nCredit - nChange;
- parts.push_back(sub);
- parts.back().involvesWatchAddress = involvesWatchAddress; // maybe pass to TransactionRecord as constructor argument
+ parts.append(sub);
+ parts.last().involvesWatchAddress = involvesWatchAddress; // maybe pass to TransactionRecord as constructor argument
} else if (fAllFromMe || wtx.IsZerocoinMint()) {
//
// Debit
@@ -272,7 +271,7 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
continue;
// Sent to ION Address
sub.type = TransactionRecord::SendToAddress;
- sub.address = EncodeDestination(address);
+ sub.address = CBitcoinAddress(address).ToString();
} else if (txout.IsZerocoinMint()){
sub.type = TransactionRecord::ZerocoinMint;
sub.address = mapValue["zerocoinmint"];
@@ -295,14 +294,14 @@ std::vector TransactionRecord::decomposeTransaction(const CWa
}
sub.debit = -nValue;
- parts.push_back(sub);
+ parts.append(sub);
}
} else {
//
// Mixed debit transaction, can't break down payees
//
- parts.push_back(TransactionRecord(hash, nTime, TransactionRecord::Other, "", nNet, 0));
- parts.back().involvesWatchAddress = involvesWatchAddress;
+ parts.append(TransactionRecord(hash, nTime, TransactionRecord::Other, "", nNet, 0));
+ parts.last().involvesWatchAddress = involvesWatchAddress;
}
}
@@ -398,70 +397,12 @@ bool TransactionRecord::statusUpdateNeeded()
return status.cur_num_blocks != chainActive.Height() || status.cur_num_ix_locks != nCompleteTXLocks;
}
-std::string TransactionRecord::getTxID() const
+QString TransactionRecord::getTxID() const
{
- //return QString::fromStdString(hash.ToString());
- return hash.ToString();
+ return QString::fromStdString(hash.ToString());
}
int TransactionRecord::getOutputIndex() const
{
return idx;
}
-
-std::string TransactionRecord::GetTransactionRecordType() const
-{
- return GetTransactionRecordType(type);
-}
-std::string TransactionRecord::GetTransactionRecordType(Type type) const
-{
- switch (type)
- {
- case Other: return "Other";
- case Generated: return "Generated";
- case StakeMint: return "StakeMint";
- case StakeXION: return "StakeXION";
- case SendToAddress: return "SendToAddress";
- case SendToOther: return "SendToOther";
- case RecvWithAddress: return "RecvWithAddress";
- case MNReward: return "MNReward";
- case RecvFromOther: return "RecvFromOther";
- case SendToSelf: return "SendToSelf";
- case ZerocoinMint: return "ZerocoinMint";
- case ZerocoinSpend: return "ZerocoinSpend";
- case RecvFromZerocoinSpend: return "RecvFromZerocoinSpend";
- case ZerocoinSpend_Change_xIon: return "ZerocoinSpend_Change_xIon";
- case ZerocoinSpend_FromMe: return "ZerocoinSpend_FromMe";
- case RecvWithObfuscation: return "RecvWithObfuscation";
- case ObfuscationDenominate: return "ObfuscationDenominate";
- case ObfuscationCollateralPayment: return "ObfuscationCollateralPayment";
- case ObfuscationMakeCollaterals: return "ObfuscationMakeCollaterals";
- case ObfuscationCreateDenominations: return "ObfuscationCreateDenominations";
- case Obfuscated: return "Obfuscated";
- }
- return NULL;
-}
-
-std::string TransactionRecord::GetTransactionStatus() const
-{
- return GetTransactionStatus(status.status);
-}
-std::string TransactionRecord::GetTransactionStatus(TransactionStatus::Status status) const
-{
- switch (status)
- {
- case TransactionStatus::Confirmed: return "Confirmed"; /**< Have 6 or more confirmations (normal tx) or fully mature (mined tx) **/
- /// Normal (sent/received) transactions
- case TransactionStatus::OpenUntilDate: return "OpenUntilDate"; /**< Transaction not yet final, waiting for date */
- case TransactionStatus::OpenUntilBlock: return "OpenUntilBlock"; /**< Transaction not yet final, waiting for block */
- case TransactionStatus::Offline: return "Offline"; /**< Not sent to any other nodes **/
- case TransactionStatus::Unconfirmed: return "Unconfirmed"; /**< Not yet mined into a block **/
- case TransactionStatus::Confirming: return "Confirmed"; /**< Confirmed, but waiting for the recommended number of confirmations **/
- case TransactionStatus::Conflicted: return "Conflicted"; /**< Conflicts with other transaction or mempool **/
- /// Generated (mined) transactions
- case TransactionStatus::Immature: return "Immature"; /**< Mined but waiting for maturity */
- case TransactionStatus::MaturesWarning: return "MaturesWarning"; /**< Transaction will likely not mature because no nodes have confirmed */
- case TransactionStatus::NotAccepted: return "NotAccepted"; /**< Mined but not accepted */
- }
- return NULL;
-}
\ No newline at end of file
diff --git a/src/transactionrecord.h b/src/qt/transactionrecord.h
similarity index 81%
rename from src/transactionrecord.h
rename to src/qt/transactionrecord.h
index c8261ef8d4f81..b65fd156a3483 100644
--- a/src/transactionrecord.h
+++ b/src/qt/transactionrecord.h
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2016 The Dash developers
// Copyright (c) 2016-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -11,6 +10,9 @@
#include "amount.h"
#include "uint256.h"
+#include
+#include
+
class CWallet;
class CWalletTx;
@@ -52,8 +54,8 @@ class TransactionStatus
/** @name Reported status
@{*/
Status status;
- int64_t depth;
- int64_t open_for; /**< Timestamp if status==OpenUntilDate, otherwise number
+ qint64 depth;
+ qint64 open_for; /**< Timestamp if status==OpenUntilDate, otherwise number
of additional blocks that need to be mined before
finalization */
/**@}*/
@@ -102,12 +104,12 @@ class TransactionRecord
{
}
- TransactionRecord(uint256 hash, int64_t time) : hash(hash), time(time), type(Other), address(""), debit(0),
+ TransactionRecord(uint256 hash, qint64 time) : hash(hash), time(time), type(Other), address(""), debit(0),
credit(0), idx(0)
{
}
- TransactionRecord(uint256 hash, int64_t time, Type type, const std::string& address, const CAmount& debit, const CAmount& credit) : hash(hash), time(time), type(type), address(address), debit(debit), credit(credit),
+ TransactionRecord(uint256 hash, qint64 time, Type type, const std::string& address, const CAmount& debit, const CAmount& credit) : hash(hash), time(time), type(type), address(address), debit(debit), credit(credit),
idx(0)
{
}
@@ -115,12 +117,12 @@ class TransactionRecord
/** Decompose CWallet transaction to model transaction records.
*/
static bool showTransaction(const CWalletTx& wtx);
- static std::vector decomposeTransaction(const CWallet* wallet, const CWalletTx& wtx);
+ static QList decomposeTransaction(const CWallet* wallet, const CWalletTx& wtx);
/** @name Immutable transaction attributes
@{*/
uint256 hash;
- int64_t time;
+ qint64 time;
Type type;
std::string address;
CAmount debit;
@@ -137,7 +139,7 @@ class TransactionRecord
bool involvesWatchAddress;
/** Return the unique identifier for this transaction (part) */
- std::string getTxID() const;
+ QString getTxID() const;
/** Return the output index of the subtransaction */
int getOutputIndex() const;
@@ -149,16 +151,6 @@ class TransactionRecord
/** Return whether a status update is needed.
*/
bool statusUpdateNeeded();
-
- /** Return stringified transaction record type
- */
- std::string GetTransactionRecordType() const;
- std::string GetTransactionRecordType(Type type) const;
-
- /** Return stringified transaction status
- */
- std::string GetTransactionStatus() const;
- std::string GetTransactionStatus(TransactionStatus::Status status) const;
};
#endif // BITCOIN_QT_TRANSACTIONRECORD_H
diff --git a/src/qt/transactiontablemodel.cpp b/src/qt/transactiontablemodel.cpp
index ff9a3c3918556..bb79dec17b2e0 100644
--- a/src/qt/transactiontablemodel.cpp
+++ b/src/qt/transactiontablemodel.cpp
@@ -18,7 +18,7 @@
#include "sync.h"
#include "uint256.h"
#include "util.h"
-#include "wallet.h"
+#include "wallet/wallet.h"
#include
#include
@@ -79,13 +79,8 @@ class TransactionTablePriv
{
LOCK2(cs_main, wallet->cs_wallet);
for (std::map::iterator it = wallet->mapWallet.begin(); it != wallet->mapWallet.end(); ++it) {
- if (TransactionRecord::showTransaction(it->second)) {
- std::vector vRecs = TransactionRecord::decomposeTransaction(wallet, it->second);
- QList QLRecs;
- QLRecs.reserve(vRecs.size());
- std::copy(vRecs.begin(), vRecs.end(), std::back_inserter(QLRecs));
- cachedWallet.append(QLRecs);
- }
+ if (TransactionRecord::showTransaction(it->second))
+ cachedWallet.append(TransactionRecord::decomposeTransaction(wallet, it->second));
}
}
}
@@ -134,11 +129,8 @@ class TransactionTablePriv
break;
}
// Added -- insert at the right position
- std::vector vToInsert = TransactionRecord::decomposeTransaction(wallet, mi->second);
- QList toInsert;
- toInsert.reserve(vToInsert.size());
- std::copy(vToInsert.begin(), vToInsert.end(), std::back_inserter(toInsert));
-
+ QList toInsert =
+ TransactionRecord::decomposeTransaction(wallet, mi->second);
if (!toInsert.isEmpty()) /* only if something to insert */
{
parent->beginInsertRows(QModelIndex(), lowerIndex, lowerIndex + toInsert.size() - 1);
@@ -565,7 +557,7 @@ QVariant TransactionTableModel::data(const QModelIndex& index, int role) const
case Status:
return QString::fromStdString(rec->status.sortKey);
case Date:
- return qint64(rec->time);
+ return rec->time;
case Type:
return formatTxType(rec);
case Watchonly:
@@ -624,7 +616,7 @@ QVariant TransactionTableModel::data(const QModelIndex& index, int role) const
case AmountRole:
return qint64(rec->credit + rec->debit);
case TxIDRole:
- return QString::fromStdString(rec->getTxID());
+ return rec->getTxID();
case TxHashRole:
return QString::fromStdString(rec->hash.ToString());
case ConfirmedRole:
diff --git a/src/qt/transactionview.cpp b/src/qt/transactionview.cpp
index 4ddd4616f6240..f48b89dcc8d6c 100644
--- a/src/qt/transactionview.cpp
+++ b/src/qt/transactionview.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2017-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/transactionview.h b/src/qt/transactionview.h
index 63c3f876292a6..7fa67398acbb4 100644
--- a/src/qt/transactionview.h
+++ b/src/qt/transactionview.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/utilitydialog.cpp b/src/qt/utilitydialog.cpp
index 41083bb45b7fa..aa924f698f259 100644
--- a/src/qt/utilitydialog.cpp
+++ b/src/qt/utilitydialog.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -35,7 +34,7 @@ HelpMessageDialog::HelpMessageDialog(QWidget* parent, bool about) : QDialog(pare
ui->setupUi(this);
GUIUtil::restoreWindowGeometry("nHelpMessageDialogWindow", this->size(), this);
- QString version = tr("Ion Core") + " " + tr("version") + " " + QString::fromStdString(FormatFullVersion());
+ QString version = tr("ION Core") + " " + tr("version") + " " + QString::fromStdString(FormatFullVersion());
/* On x86 add a bit specifier to the version so that users can distinguish between
* 32 and 64 bit builds. On other architectures, 32/64 bit may be more ambigious.
*/
@@ -46,7 +45,7 @@ HelpMessageDialog::HelpMessageDialog(QWidget* parent, bool about) : QDialog(pare
#endif
if (about) {
- setWindowTitle(tr("About Ion Core"));
+ setWindowTitle(tr("About ION Core"));
/// HTML-format the license message from the core
QString licenseInfo = QString::fromStdString(LicenseInfo());
@@ -155,7 +154,7 @@ ShutdownWindow::ShutdownWindow(QWidget* parent, Qt::WindowFlags f) : QWidget(par
{
QVBoxLayout* layout = new QVBoxLayout();
layout->addWidget(new QLabel(
- tr("Ion Core is shutting down...") + "
" +
+ tr("ION Core is shutting down...") + "
" +
tr("Do not shut down the computer until this window disappears.")));
setLayout(layout);
}
diff --git a/src/qt/utilitydialog.h b/src/qt/utilitydialog.h
index c442c4fbe7102..8d26c43e3f1ac 100644
--- a/src/qt/utilitydialog.h
+++ b/src/qt/utilitydialog.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2017 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/walletframe.cpp b/src/qt/walletframe.cpp
index d3e98201724a4..2c5db1ebbaff6 100644
--- a/src/qt/walletframe.cpp
+++ b/src/qt/walletframe.cpp
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2016-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
diff --git a/src/qt/walletframe.h b/src/qt/walletframe.h
index 4c65617243a64..33c1cfcf3a6ab 100644
--- a/src/qt/walletframe.h
+++ b/src/qt/walletframe.h
@@ -1,6 +1,5 @@
// Copyright (c) 2011-2013 The Bitcoin developers
// Copyright (c) 2016-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -67,10 +66,8 @@ public slots:
void gotoPrivacyPage();
/** Switch to send coins page */
void gotoSendCoinsPage(QString addr = "");
-
/** Switch to explorer page */
void gotoBlockExplorerPage();
-
/** Show Sign/Verify Message dialog and switch to sign message tab */
void gotoSignMessageTab(QString addr = "");
/** Show Sign/Verify Message dialog and switch to verify message tab */
diff --git a/src/qt/walletmodel.cpp b/src/qt/walletmodel.cpp
index 8dab65c07989b..ccb6673531ab5 100644
--- a/src/qt/walletmodel.cpp
+++ b/src/qt/walletmodel.cpp
@@ -1,7 +1,6 @@
// Copyright (c) 2011-2014 The Bitcoin developers
// Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2018 The PIVX developers
-// Copyright (c) 2018-2019 The Ion developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
@@ -9,19 +8,18 @@
#include "addresstablemodel.h"
#include "guiconstants.h"
-#include "guiutil.h"
#include "recentrequeststablemodel.h"
#include "transactiontablemodel.h"
#include "base58.h"
-#include "db.h"
+#include "wallet/db.h"
#include "keystore.h"
#include "main.h"
#include "spork.h"
#include "sync.h"
#include "ui_interface.h"
-#include "wallet.h"
-#include "walletdb.h" // for BackupWallet
+#include "wallet/wallet.h"
+#include "wallet/walletdb.h" // for BackupWallet
#include
#include