danicoin/src/PaymentGate/WalletService.cpp

627 lines
20 KiB
C++
Raw Normal View History

2015-05-27 12:08:46 +00:00
// Copyright (c) 2012-2015, The CryptoNote developers, The Bytecoin developers
//
// This file is part of Bytecoin.
//
// Bytecoin is free software: you can redistribute it and/or modify
// it under the terms of the GNU Lesser General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
//
// Bytecoin is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU Lesser General Public License for more details.
//
// You should have received a copy of the GNU Lesser General Public License
// along with Bytecoin. If not, see <http://www.gnu.org/licenses/>.
#include "WalletService.h"
#include <future>
#include <assert.h>
#include <sstream>
#include <unordered_set>
2015-08-05 13:09:05 +00:00
#include <boost/filesystem/operations.hpp>
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
#include <System/Timer.h>
#include <System/InterruptedException.h>
#include "Common/Util.h"
#include "crypto/crypto.h"
#include "CryptoNoteCore/CryptoNoteFormatUtils.h"
#include "CryptoNoteCore/CryptoNoteBasicImpl.h"
#include "CryptoNoteCore/TransactionExtra.h"
#include "PaymentServiceJsonRpcMessages.h"
#include "WalletFactory.h"
#include "NodeFactory.h"
#include "Wallet/LegacyKeysImporter.h"
2015-05-27 12:08:46 +00:00
namespace {
void addPaymentIdToExtra(const std::string& paymentId, std::string& extra) {
std::vector<uint8_t> extraVector;
if (!CryptoNote::createTxExtraWithPaymentId(paymentId, extraVector)) {
throw std::runtime_error("Couldn't add payment id to extra");
}
std::copy(extraVector.begin(), extraVector.end(), std::back_inserter(extra));
}
bool checkPaymentId(const std::string& paymentId) {
if (paymentId.size() != 64) {
return false;
}
return std::all_of(paymentId.begin(), paymentId.end(), [] (const char c) {
if (c >= '0' && c <= '9') {
return true;
}
if (c >= 'a' && c <= 'f') {
return true;
}
if (c >= 'A' && c <= 'F') {
return true;
}
return false;
});
}
bool createOutputBinaryFile(const std::string& filename, std::fstream& file) {
file.open(filename.c_str(), std::fstream::in | std::fstream::out | std::ofstream::binary);
if (file) {
file.close();
return false;
}
file.open(filename.c_str(), std::fstream::out | std::fstream::binary);
return true;
}
std::string createTemporaryFile(const std::string& path, std::fstream& tempFile) {
bool created = false;
std::string temporaryName;
for (size_t i = 1; i < 100; i++) {
temporaryName = path + "." + std::to_string(i++);
if (createOutputBinaryFile(temporaryName, tempFile)) {
created = true;
break;
}
}
if (!created) {
throw std::runtime_error("Couldn't create temporary file: " + temporaryName);
}
return temporaryName;
}
//returns true on success
bool deleteFile(const std::string& filename) {
2015-08-05 13:09:05 +00:00
boost::system::error_code err;
return boost::filesystem::remove(filename, err) && !err;
2015-05-27 12:08:46 +00:00
}
void replaceWalletFiles(const std::string &path, const std::string &tempFilePath) {
2015-07-30 15:22:07 +00:00
Tools::replace_file(tempFilePath, path);
2015-05-27 12:08:46 +00:00
}
}
namespace PaymentService {
void createWalletFile(std::fstream& walletFile, const std::string& filename) {
walletFile.open(filename.c_str(), std::fstream::in | std::fstream::out | std::fstream::binary);
if (walletFile) {
walletFile.close();
throw std::runtime_error("Wallet file already exists");
}
walletFile.open(filename.c_str(), std::fstream::out);
walletFile.close();
walletFile.open(filename.c_str(), std::fstream::in | std::fstream::out | std::fstream::binary);
}
void saveWallet(CryptoNote::IWallet* wallet, std::fstream& walletFile, bool saveDetailed = true, bool saveCache = true) {
wallet->save(walletFile, saveDetailed, saveCache);
walletFile.flush();
}
void secureSaveWallet(CryptoNote::IWallet* wallet, const std::string& path, bool saveDetailed = true, bool saveCache = true) {
std::fstream tempFile;
std::string tempFilePath = createTemporaryFile(path, tempFile);
try {
saveWallet(wallet, tempFile, saveDetailed, saveCache);
} catch (std::exception&) {
deleteFile(tempFilePath);
tempFile.close();
throw;
}
tempFile.close();
replaceWalletFiles(path, tempFilePath);
}
2015-07-30 15:22:07 +00:00
void generateNewWallet(const CryptoNote::Currency &currency, const WalletConfiguration &conf, Logging::ILogger& logger, System::Dispatcher& dispatcher) {
2015-05-27 12:08:46 +00:00
Logging::LoggerRef log(logger, "generateNewWallet");
CryptoNote::INode* nodeStub = NodeFactory::createNodeStub();
std::unique_ptr<CryptoNote::INode> nodeGuard(nodeStub);
2015-07-30 15:22:07 +00:00
CryptoNote::IWallet* wallet = WalletFactory::createWallet(currency, *nodeStub, dispatcher);
2015-05-27 12:08:46 +00:00
std::unique_ptr<CryptoNote::IWallet> walletGuard(wallet);
log(Logging::INFO) << "Generating new wallet";
std::fstream walletFile;
createWalletFile(walletFile, conf.walletFile);
2015-07-30 15:22:07 +00:00
wallet->initialize(conf.walletPassword);
auto address = wallet->createAddress();
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
log(Logging::INFO) << "New wallet is generated. Address: " << address;
2015-05-27 12:08:46 +00:00
saveWallet(wallet, walletFile, false, false);
log(Logging::INFO) << "Wallet is saved";
}
2015-07-30 15:22:07 +00:00
void importLegacyKeys(const std::string &legacyKeysFile, const WalletConfiguration &conf) {
2015-05-27 12:08:46 +00:00
std::stringstream archive;
2015-07-30 15:22:07 +00:00
CryptoNote::importLegacyKeys(legacyKeysFile, conf.walletPassword, archive);
2015-05-27 12:08:46 +00:00
std::fstream walletFile;
createWalletFile(walletFile, conf.walletFile);
archive.flush();
walletFile << archive.rdbuf();
walletFile.flush();
}
WalletService::WalletService(const CryptoNote::Currency& currency, System::Dispatcher& sys, CryptoNote::INode& node,
2015-07-30 15:22:07 +00:00
const WalletConfiguration& conf, Logging::ILogger& logger) :
2015-05-27 12:08:46 +00:00
config(conf),
inited(false),
2015-07-30 15:22:07 +00:00
logger(logger, "WalletService"),
2015-05-27 12:08:46 +00:00
txIdIndex(boost::get<0>(paymentsCache)),
2015-07-30 15:22:07 +00:00
paymentIdIndex(boost::get<1>(paymentsCache)),
dispatcher(sys),
refreshContext(dispatcher)
2015-05-27 12:08:46 +00:00
{
2015-07-30 15:22:07 +00:00
wallet.reset(WalletFactory::createWallet(currency, node, dispatcher));
2015-05-27 12:08:46 +00:00
}
WalletService::~WalletService() {
if (wallet) {
if (inited) {
2015-07-30 15:22:07 +00:00
wallet->stop();
refreshContext.wait();
2015-05-27 12:08:46 +00:00
wallet->shutdown();
}
}
}
void WalletService::init() {
loadWallet();
2015-07-30 15:22:07 +00:00
loadPaymentsCacheAndTransferIndices();
refreshContext.spawn([this] { refresh(); });
2015-05-27 12:08:46 +00:00
inited = true;
}
void WalletService::saveWallet() {
PaymentService::secureSaveWallet(wallet.get(), config.walletFile, true, true);
logger(Logging::INFO) << "Wallet is saved";
}
void WalletService::loadWallet() {
std::ifstream inputWalletFile;
inputWalletFile.open(config.walletFile.c_str(), std::fstream::in | std::fstream::binary);
if (!inputWalletFile) {
throw std::runtime_error("Couldn't open wallet file");
}
logger(Logging::INFO) << "Loading wallet";
2015-07-30 15:22:07 +00:00
wallet->load(inputWalletFile, config.walletPassword);
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
logger(Logging::INFO) << "Wallet loading is finished.";
2015-05-27 12:08:46 +00:00
}
2015-07-30 15:22:07 +00:00
void WalletService::loadPaymentsCacheAndTransferIndices() {
2015-05-27 12:08:46 +00:00
size_t txCount = wallet->getTransactionCount();
2015-10-01 15:27:18 +00:00
transfersIndices.reserve(txCount + 1);
transfersIndices.push_back(0);
2015-05-27 12:08:46 +00:00
logger(Logging::DEBUGGING) << "seeking for payments among " << txCount << " transactions";
for (size_t id = 0; id < txCount; ++id) {
2015-07-30 15:22:07 +00:00
CryptoNote::WalletTransaction tx = wallet->getTransaction(id);
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
transfersIndices.push_back(transfersIndices[id] + wallet->getTransactionTransferCount(id));
2015-05-27 12:08:46 +00:00
if (tx.totalAmount < 0) {
logger(Logging::DEBUGGING) << "tx " << id << " has negative amount";
continue;
}
std::vector<uint8_t> extraVector(tx.extra.begin(), tx.extra.end());
2015-07-30 15:22:07 +00:00
Crypto::Hash paymentId;
2015-05-27 12:08:46 +00:00
if (!CryptoNote::getPaymentIdFromTxExtra(extraVector, paymentId)) {
logger(Logging::DEBUGGING) << "tx " << id << " has no payment id";
continue;
}
logger(Logging::DEBUGGING) << "transaction " << id << " has been inserted with payment id " << paymentId;
2015-07-30 15:22:07 +00:00
insertTransaction(id, paymentId, tx.blockHeight != CryptoNote::WALLET_UNCONFIRMED_TRANSACTION_HEIGHT);
2015-05-27 12:08:46 +00:00
}
}
std::error_code WalletService::sendTransaction(const SendTransactionRequest& req, SendTransactionResponse& resp) {
assert(wallet);
logger(Logging::DEBUGGING) << "Send transaction request came";
try {
2015-10-01 15:27:18 +00:00
std::vector<CryptoNote::WalletOrder> orders;
makeOrders(req.destinations, orders);
2015-05-27 12:08:46 +00:00
std::string extra;
if (!req.paymentId.empty()) {
addPaymentIdToExtra(req.paymentId, extra);
}
2015-10-01 15:27:18 +00:00
size_t txId = wallet->transfer(orders, req.fee, req.mixin, extra, req.unlockTime);
2015-07-30 15:22:07 +00:00
if (txId == CryptoNote::WALLET_INVALID_TRANSACTION_ID) {
2015-05-27 12:08:46 +00:00
logger(Logging::WARNING) << "Unable to send transaction";
2015-10-01 15:27:18 +00:00
throw std::runtime_error("Error occurred while sending transaction");
2015-05-27 12:08:46 +00:00
}
resp.transactionId = txId;
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Error while sending transaction: " << x.what();
return x.code();
}
return std::error_code();
}
2015-10-01 15:27:18 +00:00
void WalletService::makeOrders(const std::vector<PaymentService::TransferDestination>& destinations, std::vector<CryptoNote::WalletOrder>& orders) {
orders.reserve(destinations.size());
2015-05-27 12:08:46 +00:00
for (auto dest: destinations) {
2015-10-01 15:27:18 +00:00
orders.push_back( { dest.address, dest.amount } );
2015-05-27 12:08:46 +00:00
}
}
2015-07-30 15:22:07 +00:00
std::error_code WalletService::getAddress(size_t index, std::string& address) {
2015-05-27 12:08:46 +00:00
logger(Logging::DEBUGGING) << "Get address request came";
try {
2015-07-30 15:22:07 +00:00
address = wallet->getAddress(index);
2015-05-27 12:08:46 +00:00
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Error while getting address: " << x.what();
return x.code();
}
return std::error_code();
}
2015-07-30 15:22:07 +00:00
std::error_code WalletService::getAddressCount(std::size_t& count) {
logger(Logging::DEBUGGING) << "Get address count request came";
count = wallet->getAddressCount();
return std::error_code();
}
std::error_code WalletService::createAddress(std::string& address) {
logger(Logging::DEBUGGING) << "Create address request came";
try {
address = wallet->createAddress();
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Error while creating address: " << x.what();
return x.code();
}
return std::error_code();
}
std::error_code WalletService::deleteAddress(const std::string& address) {
logger(Logging::DEBUGGING) << "Delete address request came";
try {
wallet->deleteAddress(address);
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Error while deleting address: " << x.what();
return x.code();
}
return std::error_code();
}
std::error_code WalletService::getActualBalance(const std::string& address, uint64_t& actualBalance) {
logger(Logging::DEBUGGING) << "Get actual balance for address: " << address << " request came";
try {
actualBalance = wallet->getActualBalance(address);
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get actual balance: " << x.what();
return x.code();
}
return std::error_code();
}
std::error_code WalletService::getPendingBalance(const std::string& address, uint64_t& pendingBalance) {
logger(Logging::DEBUGGING) << "Get pending balance for address: " << address <<" request came";
try {
pendingBalance = wallet->getPendingBalance(address);
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get pending balance: " << x.what();
return x.code();
}
return std::error_code();
}
2015-05-27 12:08:46 +00:00
std::error_code WalletService::getActualBalance(uint64_t& actualBalance) {
logger(Logging::DEBUGGING) << "Get actual balance request came";
try {
2015-07-30 15:22:07 +00:00
actualBalance = wallet->getActualBalance();
2015-05-27 12:08:46 +00:00
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get actual balance: " << x.what();
return x.code();
}
return std::error_code();
}
std::error_code WalletService::getPendingBalance(uint64_t& pendingBalance) {
logger(Logging::DEBUGGING) << "Get pending balance request came";
try {
2015-07-30 15:22:07 +00:00
pendingBalance = wallet->getPendingBalance();
2015-05-27 12:08:46 +00:00
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get pending balance: " << x.what();
return x.code();
}
return std::error_code();
}
std::error_code WalletService::getTransactionsCount(uint64_t& txCount) {
logger(Logging::DEBUGGING) << "Get get transactions count request came";
try {
txCount = wallet->getTransactionCount();
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get transactions count: " << x.what();
return x.code();
}
return std::error_code();
}
std::error_code WalletService::getTransfersCount(uint64_t& trCount) {
2015-07-30 15:22:07 +00:00
logger(Logging::DEBUGGING) << "Get transfers count request came";
trCount = static_cast<uint64_t>(transfersIndices.back());
2015-05-27 12:08:46 +00:00
return std::error_code();
}
2015-07-30 15:22:07 +00:00
std::error_code WalletService::getTransactionByTransferId(size_t transferId, size_t& transactionId) {
2015-05-27 12:08:46 +00:00
logger(Logging::DEBUGGING) << "getTransactionByTransferId request came";
2015-07-30 15:22:07 +00:00
if (transferId >= transfersIndices.back()) {
logger(Logging::WARNING) << "Transfer ID:" << transferId<<" is out of domain";
return std::make_error_code(std::errc::argument_out_of_domain);
2015-05-27 12:08:46 +00:00
}
2015-08-11 14:33:19 +00:00
auto nextTxId = std::upper_bound(transfersIndices.begin(), transfersIndices.end(), transferId);
2015-10-01 15:27:18 +00:00
assert(nextTxId != transfersIndices.begin());
transactionId = std::distance(transfersIndices.begin(), nextTxId) - 1;
2015-07-30 15:22:07 +00:00
2015-05-27 12:08:46 +00:00
return std::error_code();
}
2015-07-30 15:22:07 +00:00
void WalletService::fillTransactionRpcInfo(size_t txId, const CryptoNote::WalletTransaction& tx, TransactionRpcInfo& rpcInfo) {
rpcInfo.firstTransferId = transfersIndices[txId];
rpcInfo.transferCount = wallet->getTransactionTransferCount(txId);
rpcInfo.totalAmount = tx.totalAmount;
rpcInfo.fee = tx.fee;
rpcInfo.blockHeight = tx.blockHeight;
rpcInfo.timestamp = tx.timestamp;
rpcInfo.extra = Common::toHex(tx.extra.data(), tx.extra.size());
rpcInfo.hash = Common::podToHex(tx.hash);
2015-10-01 15:27:18 +00:00
rpcInfo.state = static_cast<uint8_t>(tx.state);
2015-07-30 15:22:07 +00:00
for (size_t transferId = 0; transferId < rpcInfo.transferCount; ++transferId) {
auto transfer = wallet->getTransactionTransfer(txId, transferId);
2015-10-01 15:27:18 +00:00
TransferRpcInfo rpcTransfer{ static_cast<uint8_t>(transfer.type), transfer.address, transfer.amount };
2015-07-30 15:22:07 +00:00
rpcInfo.transfers.push_back(rpcTransfer);
}
}
std::error_code WalletService::getTransaction(size_t txId, bool& found, TransactionRpcInfo& rpcInfo) {
2015-05-27 12:08:46 +00:00
logger(Logging::DEBUGGING) << "getTransaction request came";
2015-07-30 15:22:07 +00:00
found = false;
2015-08-11 14:33:19 +00:00
2015-05-27 12:08:46 +00:00
try {
2015-07-30 15:22:07 +00:00
if (txId + 1 >= transfersIndices.size()) {
logger(Logging::WARNING) << "Unable to get transaction " << txId << ": argument out of domain.";
return std::make_error_code(std::errc::argument_out_of_domain);
2015-05-27 12:08:46 +00:00
}
2015-08-11 14:33:19 +00:00
auto tx = wallet->getTransaction(txId);
2015-07-30 15:22:07 +00:00
fillTransactionRpcInfo(txId, tx, rpcInfo);
found = true;
2015-05-27 12:08:46 +00:00
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get transaction: " << x.what();
return x.code();
}
return std::error_code();
}
2015-07-30 15:22:07 +00:00
std::error_code WalletService::listTransactions(size_t startingTxId, uint32_t maxTxCount, std::vector<TransactionRpcInfo>& txsRpcInfo) {
2015-07-15 12:23:00 +00:00
logger(Logging::DEBUGGING) << "listTransactions request came";
if (maxTxCount == 0) {
txsRpcInfo.clear();
return std::error_code();
}
try {
2015-07-30 15:22:07 +00:00
size_t endTxId;
if (startingTxId > std::numeric_limits<size_t>::max() - static_cast<size_t>(maxTxCount)) {
endTxId = static_cast<size_t>(wallet->getTransactionCount());
2015-07-15 12:23:00 +00:00
} else {
2015-07-30 15:22:07 +00:00
endTxId = startingTxId + static_cast<size_t>(maxTxCount);
endTxId = std::min(endTxId, static_cast<size_t>(wallet->getTransactionCount()));
2015-07-15 12:23:00 +00:00
}
txsRpcInfo.resize(endTxId - startingTxId);
for (auto txId = startingTxId; txId < endTxId; ++txId) {
assert(txId < wallet->getTransactionCount());
2015-07-30 15:22:07 +00:00
auto tx = wallet->getTransaction(txId);
fillTransactionRpcInfo(txId, tx, txsRpcInfo[txId - startingTxId]);
2015-07-15 12:23:00 +00:00
}
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to list transaction: " << x.what();
return x.code();
}
return std::error_code();
}
2015-07-30 15:22:07 +00:00
std::error_code WalletService::getTransfer(size_t globalTransferId, bool& found, TransferRpcInfo& rpcInfo) {
2015-05-27 12:08:46 +00:00
logger(Logging::DEBUGGING) << "getTransfer request came";
2015-07-30 15:22:07 +00:00
found = false;
2015-05-27 12:08:46 +00:00
try {
2015-10-01 15:27:18 +00:00
auto nextTxIt = std::upper_bound(transfersIndices.begin(), transfersIndices.end(), globalTransferId);
assert(nextTxIt != transfersIndices.begin());
size_t txId = std::distance(transfersIndices.begin(), nextTxIt) - 1;
2015-07-30 15:22:07 +00:00
size_t fakeTxId = transfersIndices.size() - 1;
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
if (txId == fakeTxId) {
2015-05-27 12:08:46 +00:00
return std::error_code();
}
2015-07-30 15:22:07 +00:00
auto transferId = globalTransferId - transfersIndices[txId];
auto transfer = wallet->getTransactionTransfer(txId, transferId);
2015-10-01 15:27:18 +00:00
rpcInfo.type = static_cast<uint8_t>(transfer.type);
2015-07-30 15:22:07 +00:00
rpcInfo.address = transfer.address;
rpcInfo.amount = transfer.amount;
found = true;
2015-05-27 12:08:46 +00:00
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get transfer: " << x.what();
return x.code();
}
return std::error_code();
}
std::error_code WalletService::getIncomingPayments(const std::vector<std::string>& payments, IncomingPayments& result) {
logger(Logging::DEBUGGING) << "getIncomingPayments request came";
2015-07-30 15:22:07 +00:00
try {
for (const std::string& payment: payments) {
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
if (!checkPaymentId(payment)) {
return make_error_code(std::errc::argument_out_of_domain);
}
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
std::string paymentString = payment;
std::transform(paymentString.begin(), paymentString.end(), paymentString.begin(), ::tolower);
auto pair = paymentIdIndex.equal_range(paymentString);
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
for (auto it = pair.first; it != pair.second; ++it) {
auto tx = wallet->getTransaction(it->transactionId);
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
std::string hashString = Common::podToHex(tx.hash);
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
PaymentDetails details;
details.txHash = std::move(hashString);
details.amount = static_cast<uint64_t>(tx.totalAmount);
details.blockHeight = tx.blockHeight;
details.unlockTime = tx.unlockTime;
2015-05-27 12:08:46 +00:00
2015-07-30 15:22:07 +00:00
result[it->paymentId].push_back(std::move(details));
}
2015-05-27 12:08:46 +00:00
}
2015-07-30 15:22:07 +00:00
} catch (std::system_error& x) {
logger(Logging::WARNING) << "Unable to get payments: " << x.what();
return x.code();
2015-05-27 12:08:46 +00:00
}
return std::error_code();
}
2015-07-30 15:22:07 +00:00
void WalletService::refresh() {
try {
for (;;) {
auto event = wallet->getEvent();
if (event.type == CryptoNote::TRANSACTION_CREATED || event.type == CryptoNote::TRANSACTION_UPDATED) {
2015-10-01 15:27:18 +00:00
size_t transactionId = event.transactionCreated.transactionIndex;
size_t transferCount = wallet->getTransactionTransferCount(transactionId);
2015-07-30 15:22:07 +00:00
if (event.type == CryptoNote::TRANSACTION_CREATED) {
2015-10-01 15:27:18 +00:00
assert(transactionId == transfersIndices.size() - 1);
transfersIndices.push_back(transfersIndices[transactionId] + transferCount);
2015-07-30 15:22:07 +00:00
} else {
2015-10-01 15:27:18 +00:00
assert(event.type == CryptoNote::TRANSACTION_UPDATED);
assert(transactionId < transfersIndices.size() - 1);
size_t oldTransferCount = transfersIndices[transactionId + 1] - transfersIndices[transactionId];
int change = static_cast<int>(transferCount) - static_cast<int>(oldTransferCount);
if (change != 0) {
for (size_t i = transactionId + 1; i < transfersIndices.size(); ++i) {
transfersIndices[i] = static_cast<size_t>(static_cast<int>(transfersIndices[i]) + change);
}
}
2015-07-30 15:22:07 +00:00
}
auto tx = wallet->getTransaction(transactionId);
logger(Logging::DEBUGGING) << "Transaction updated " << transactionId << " extra size: " << tx.extra.size();
if (tx.totalAmount < 0) {
continue;
}
std::vector<uint8_t> extraVector(tx.extra.begin(), tx.extra.end());
Crypto::Hash paymentId;
if (!CryptoNote::getPaymentIdFromTxExtra(extraVector, paymentId)) {
logger(Logging::DEBUGGING) << "transaction " << transactionId << " has no payment id";
continue;
}
insertTransaction(transactionId, paymentId, tx.blockHeight != CryptoNote::WALLET_UNCONFIRMED_TRANSACTION_HEIGHT);
logger(Logging::DEBUGGING) << "transaction " << transactionId << " has been added to payments cache";
}
2015-05-27 12:08:46 +00:00
}
2015-07-30 15:22:07 +00:00
} catch (std::system_error& e) {
logger(Logging::TRACE) << "refresh is stopped: " << e.what();
} catch (std::exception& e) {
logger(Logging::WARNING) << "exception thrown in refresh(): " << e.what();
2015-05-27 12:08:46 +00:00
}
}
2015-07-30 15:22:07 +00:00
void WalletService::insertTransaction(size_t id, const Crypto::Hash& paymentIdBin, bool confirmed) {
paymentsCache.insert(PaymentItem{ Common::podToHex(paymentIdBin), id, confirmed});
2015-05-27 12:08:46 +00:00
}
} //namespace PaymentService