本文整理汇总了C++中accountframe::pointer类的典型用法代码示例。如果您正苦于以下问题:C++ pointer类的具体用法?C++ pointer怎么用?C++ pointer使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。
在下文中一共展示了pointer类的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的C++代码示例。
示例1: delta
static void
createTestAccounts(Application& app, int nbAccounts,
std::function<int64(int)> getBalance,
std::function<int(int)> getVote)
{
// set up world
SecretKey root = getRoot(app.getNetworkID());
SequenceNumber rootSeq = getAccountSeqNum(root, app) + 1;
auto& lm = app.getLedgerManager();
auto& db = app.getDatabase();
int64 setupBalance = lm.getMinBalance(0);
LedgerDelta delta(lm.getCurrentLedgerHeader(), app.getDatabase());
for (int i = 0; i < nbAccounts; i++)
{
int64 bal = getBalance(i);
if (bal >= 0)
{
SecretKey to = getTestAccount(i);
applyCreateAccountTx(app, root, to, rootSeq++, setupBalance);
AccountFrame::pointer act;
act = loadAccount(to, app);
act->getAccount().balance = bal;
act->getAccount().inflationDest.activate() =
getTestAccount(getVote(i)).getPublicKey();
act->storeChange(delta, db);
}
}
}
开发者ID:irisli,项目名称:stellar-core,代码行数:33,代码来源:InflationTests.cpp
示例2: innerResult
bool
CreateAccountOpFrame::doApply(medida::MetricsRegistry& metrics,
LedgerDelta& delta, LedgerManager& ledgerManager)
{
AccountFrame::pointer destAccount;
Database& db = ledgerManager.getDatabase();
destAccount = AccountFrame::loadAccount(mCreateAccount.destination, db);
if (!destAccount)
{
if (mCreateAccount.startingBalance < ledgerManager.getMinBalance(0))
{ // not over the minBalance to make an account
metrics.NewMeter({"op-create-account", "failure", "low-reserve"},
"operation").Mark();
innerResult().code(CREATE_ACCOUNT_LOW_RESERVE);
return false;
}
else
{
int64_t minBalance =
mSourceAccount->getMinimumBalance(ledgerManager);
if (mSourceAccount->getAccount().balance <
(minBalance + mCreateAccount.startingBalance))
{ // they don't have enough to send
metrics.NewMeter({"op-create-account", "failure", "underfunded"},
"operation").Mark();
innerResult().code(CREATE_ACCOUNT_UNDERFUNDED);
return false;
}
mSourceAccount->getAccount().balance -=
mCreateAccount.startingBalance;
mSourceAccount->storeChange(delta, db);
destAccount = make_shared<AccountFrame>(mCreateAccount.destination);
destAccount->getAccount().seqNum =
delta.getHeaderFrame().getStartingSequenceNumber();
destAccount->getAccount().balance = mCreateAccount.startingBalance;
destAccount->storeAdd(delta, db);
metrics.NewMeter({"op-create-account", "success", "apply"},
"operation").Mark();
innerResult().code(CREATE_ACCOUNT_SUCCESS);
return true;
}
}
else
{
metrics.NewMeter({"op-create-account", "failure", "already-exist"},
"operation").Mark();
innerResult().code(CREATE_ACCOUNT_ALREADY_EXIST);
return false;
}
}
开发者ID:Haidashenko,项目名称:stellar-core,代码行数:57,代码来源:CreateAccountOpFrame.cpp
示例3:
SequenceNumber
getSeq(SecretKey const& k, Application& app)
{
AccountFrame::pointer account;
account = AccountFrame::loadAccount(k.getPublicKey(), app.getDatabase());
if (account)
{
return account->getSeqNum();
}
return 0;
}
开发者ID:Samx2015,项目名称:stellar-core,代码行数:11,代码来源:CommandHandler.cpp
示例4: innerResult
// make sure the deleted Account hasn't issued credit
// make sure we aren't holding any credit
// make sure the we delete all the offers
// make sure the we delete all the trustlines
// move the XLM to the new account
bool
MergeOpFrame::doApply(LedgerDelta& delta, LedgerManager& ledgerManager)
{
AccountFrame::pointer otherAccount;
Database& db = ledgerManager.getDatabase();
otherAccount = AccountFrame::loadAccount(mOperation.body.destination(), db);
if (!otherAccount)
{
innerResult().code(ACCOUNT_MERGE_NO_ACCOUNT);
return false;
}
if (TrustFrame::hasIssued(getSourceID(), db))
{
innerResult().code(ACCOUNT_MERGE_CREDIT_HELD);
return false;
}
std::vector<TrustFrame::pointer> lines;
TrustFrame::loadLines(getSourceID(), lines, db);
for(auto &l : lines)
{
if(l->getBalance() > 0)
{
innerResult().code(ACCOUNT_MERGE_HAS_CREDIT);
return false;
}
}
// delete offers
std::vector<OfferFrame::pointer> offers;
OfferFrame::loadOffers(getSourceID(), offers, db);
for (auto& offer : offers)
{
offer->storeDelete(delta, db);
}
// delete trust lines
for (auto& l : lines)
{
l->storeDelete(delta, db);
}
otherAccount->getAccount().balance += mSourceAccount->getAccount().balance;
otherAccount->storeChange(delta, db);
mSourceAccount->storeDelete(delta, db);
innerResult().code(ACCOUNT_MERGE_SUCCESS);
return true;
}
开发者ID:thejollyrogers,项目名称:stellar-core,代码行数:57,代码来源:MergeOpFrame.cpp
示例5:
bool
LoadGenerator::loadAccount(TestAccount& account, Database& database)
{
AccountFrame::pointer ret;
ret = AccountFrame::loadAccount(account.getPublicKey(), database);
if (!ret)
{
return false;
}
account.setSequenceNumber(ret->getSeqNum());
return true;
}
开发者ID:charwliu,项目名称:stellar-core,代码行数:13,代码来源:LoadGenerator.cpp
示例6:
AccountFrame::pointer
TransactionFrame::loadAccount(Application& app, AccountID const& accountID)
{
AccountFrame::pointer res;
if (mSigningAccount && mSigningAccount->getID() == accountID)
{
res = mSigningAccount;
}
else
{
res = make_shared<AccountFrame>();
bool ok = AccountFrame::loadAccount(accountID, *res, app.getDatabase());
if (!ok)
{
res.reset();
}
}
return res;
}
开发者ID:gmarceau,项目名称:stellar-core,代码行数:20,代码来源:TransactionFrame.cpp
示例7: invalid_argument
void
TransactionFrame::setSourceAccountPtr(AccountFrame::pointer signingAccount)
{
if (!signingAccount)
{
if (mEnvelope.tx.sourceAccount != signingAccount->getID())
{
throw std::invalid_argument("wrong account");
}
}
mSigningAccount = signingAccount;
}
开发者ID:thejollyrogers,项目名称:stellar-core,代码行数:12,代码来源:TransactionFrame.cpp
示例8: getCachedEntry
AccountFrame::pointer
AccountFrame::loadAccount(AccountID const& accountID, Database& db)
{
LedgerKey key;
key.type(ACCOUNT);
key.account().accountID = accountID;
if (cachedEntryExists(key, db))
{
auto p = getCachedEntry(key, db);
return p ? std::make_shared<AccountFrame>(*p) : nullptr;
}
std::string actIDStrKey = PubKeyUtils::toStrKey(accountID);
std::string publicKey, inflationDest, creditAuthKey;
std::string homeDomain, thresholds;
soci::indicator inflationDestInd;
AccountFrame::pointer res = make_shared<AccountFrame>(accountID);
AccountEntry& account = res->getAccount();
auto prep =
db.getPreparedStatement("SELECT balance, seqnum, numsubentries, "
"inflationdest, homedomain, thresholds, "
"flags, lastmodified "
"FROM accounts WHERE accountid=:v1");
auto& st = prep.statement();
st.exchange(into(account.balance));
st.exchange(into(account.seqNum));
st.exchange(into(account.numSubEntries));
st.exchange(into(inflationDest, inflationDestInd));
st.exchange(into(homeDomain));
st.exchange(into(thresholds));
st.exchange(into(account.flags));
st.exchange(into(res->getLastModified()));
st.exchange(use(actIDStrKey));
st.define_and_bind();
{
auto timer = db.getSelectTimer("account");
st.execute(true);
}
if (!st.got_data())
{
putCachedEntry(key, nullptr, db);
return nullptr;
}
account.homeDomain = homeDomain;
bn::decode_b64(thresholds.begin(), thresholds.end(),
res->mAccountEntry.thresholds.begin());
if (inflationDestInd == soci::i_ok)
{
account.inflationDest.activate() =
PubKeyUtils::fromStrKey(inflationDest);
}
account.signers.clear();
if (account.numSubEntries != 0)
{
auto signers = loadSigners(db, actIDStrKey);
account.signers.insert(account.signers.begin(), signers.begin(),
signers.end());
}
res->normalize();
res->mUpdateSigners = false;
assert(res->isValid());
res->mKeyCalculated = false;
res->putCachedEntry(db);
return res;
}
开发者ID:soitun,项目名称:stellar-core,代码行数:75,代码来源:AccountFrame.cpp
示例9: inflationDelta
bool
InflationOpFrame::doApply(medida::MetricsRegistry& metrics, LedgerDelta& delta,
LedgerManager& ledgerManager)
{
LedgerDelta inflationDelta(delta);
auto& lcl = inflationDelta.getHeader();
time_t closeTime = lcl.scpValue.closeTime;
uint32_t seq = lcl.inflationSeq;
time_t inflationTime = (INFLATION_START_TIME + seq * INFLATION_FREQUENCY);
if (closeTime < inflationTime)
{
metrics.NewMeter({"op-inflation", "failure", "not-time"}, "operation")
.Mark();
innerResult().code(INFLATION_NOT_TIME);
return false;
}
/*
Inflation is calculated using the following
1. calculate tally of votes based on "inflationDest" set on each account
2. take the top accounts (by vote) that get at least .05% of the vote
3. If no accounts are over this threshold then the extra goes back to the
inflation pool
*/
int64_t totalVotes = lcl.totalCoins;
int64_t minBalance =
bigDivide(totalVotes, INFLATION_WIN_MIN_PERCENT, TRILLION);
std::vector<AccountFrame::InflationVotes> winners;
auto& db = ledgerManager.getDatabase();
AccountFrame::processForInflation(
[&](AccountFrame::InflationVotes const& votes)
{
if (votes.mVotes >= minBalance)
{
winners.push_back(votes);
return true;
}
return false;
},
INFLATION_NUM_WINNERS, db);
int64 amountToDole =
bigDivide(lcl.totalCoins, INFLATION_RATE_TRILLIONTHS, TRILLION);
amountToDole += lcl.feePool;
lcl.feePool = 0;
lcl.inflationSeq++;
// now credit each account
innerResult().code(INFLATION_SUCCESS);
auto& payouts = innerResult().payouts();
int64 leftAfterDole = amountToDole;
for (auto const& w : winners)
{
AccountFrame::pointer winner;
int64 toDoleThisWinner =
bigDivide(amountToDole, w.mVotes, totalVotes);
if (toDoleThisWinner == 0)
continue;
winner = AccountFrame::loadAccount(w.mInflationDest, db);
if (winner)
{
leftAfterDole -= toDoleThisWinner;
lcl.totalCoins += toDoleThisWinner;
winner->getAccount().balance += toDoleThisWinner;
winner->storeChange(inflationDelta, db);
payouts.emplace_back(w.mInflationDest, toDoleThisWinner);
}
}
// put back in fee pool as unclaimed funds
lcl.feePool += leftAfterDole;
inflationDelta.commit();
metrics.NewMeter({"op-inflation", "success", "apply"}, "operation").Mark();
return true;
}
开发者ID:rtu,项目名称:network,代码行数:93,代码来源:InflationOpFrame.cpp
示例10: inflationDelta
bool
InflationOpFrame::doApply(medida::MetricsRegistry& metrics, LedgerDelta& delta,
LedgerManager& ledgerManager)
{
LedgerDelta inflationDelta(delta);
auto& lcl = inflationDelta.getHeader();
time_t closeTime = lcl.scpValue.closeTime;
uint32_t seq = lcl.inflationSeq;
time_t inflationTime = (INFLATION_START_TIME + seq * INFLATION_FREQUENCY);
if (closeTime < inflationTime)
{
metrics.NewMeter({"op-inflation", "failure", "not-time"}, "operation")
.Mark();
innerResult().code(INFLATION_NOT_TIME);
return false;
}
/*
Inflation is calculated using the following
1. calculate tally of votes based on "inflationDest" set on each account
2. take the top accounts (by vote) that exceed 1.5%
(INFLATION_WIN_MIN_PERCENT) of votes,
up to 50 accounts (INFLATION_NUM_WINNERS)
exception:
if no account crosses the INFLATION_WIN_MIN_PERCENT, the top 50 is used
3. share the coins between those accounts proportionally to the number
of votes they got.
*/
int64_t totalVotes = 0;
bool first = true;
int64_t minBalance =
bigDivide(lcl.totalCoins, INFLATION_WIN_MIN_PERCENT, TRILLION);
std::vector<AccountFrame::InflationVotes> winners;
auto& db = ledgerManager.getDatabase();
AccountFrame::processForInflation(
[&](AccountFrame::InflationVotes const& votes)
{
if (first && votes.mVotes < minBalance)
{
// need to take the entire set if nobody crossed the threshold
minBalance = 0;
}
first = false;
bool res;
if (votes.mVotes >= minBalance)
{
totalVotes += votes.mVotes;
winners.push_back(votes);
res = true;
}
else
{
res = false;
}
return res;
},
INFLATION_NUM_WINNERS, db);
int64 amountToDole =
bigDivide(lcl.totalCoins, INFLATION_RATE_TRILLIONTHS, TRILLION);
amountToDole += lcl.feePool;
lcl.feePool = 0;
lcl.inflationSeq++;
// now credit each account
innerResult().code(INFLATION_SUCCESS);
auto& payouts = innerResult().payouts();
if (totalVotes != 0)
{
for (auto const& w : winners)
{
AccountFrame::pointer winner;
int64 toDoleThisWinner =
bigDivide(amountToDole, w.mVotes, totalVotes);
if (toDoleThisWinner == 0)
continue;
winner = AccountFrame::loadAccount(w.mInflationDest, db);
if (winner)
{
lcl.totalCoins += toDoleThisWinner;
winner->getAccount().balance += toDoleThisWinner;
winner->storeChange(inflationDelta, db);
payouts.emplace_back(w.mInflationDest, toDoleThisWinner);
//.........这里部分代码省略.........
开发者ID:thos37,项目名称:stellar-core,代码行数:101,代码来源:InflationOpFrame.cpp
示例11: oe
bool
PathPaymentOpFrame::doApply(medida::MetricsRegistry& metrics,
LedgerDelta& delta, LedgerManager& ledgerManager)
{
Database& db = ledgerManager.getDatabase();
innerResult().code(PATH_PAYMENT_SUCCESS);
// tracks the last amount that was traded
int64_t curBReceived = mPathPayment.destAmount;
Asset curB = mPathPayment.destAsset;
// update balances, walks backwards
// build the full path to the destination, starting with sendAsset
std::vector<Asset> fullPath;
fullPath.emplace_back(mPathPayment.sendAsset);
fullPath.insert(fullPath.end(), mPathPayment.path.begin(),
mPathPayment.path.end());
bool bypassIssuerCheck = false;
// if the payment doesn't involve intermediate accounts
// and the destination is the issuer we don't bother
// checking if the destination account even exist
// so that it's always possible to send credits back to its issuer
bypassIssuerCheck = (curB.type() != ASSET_TYPE_NATIVE) &&
(fullPath.size() == 1) &&
(mPathPayment.sendAsset == mPathPayment.destAsset) &&
(getIssuer(curB) == mPathPayment.destination);
AccountFrame::pointer destination;
if (!bypassIssuerCheck)
{
destination = AccountFrame::loadAccount(mPathPayment.destination, db);
if (!destination)
{
metrics.NewMeter({"op-path-payment", "failure", "no-destination"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_NO_DESTINATION);
return false;
}
}
// update last balance in the chain
if (curB.type() == ASSET_TYPE_NATIVE)
{
destination->getAccount().balance += curBReceived;
destination->storeChange(delta, db);
}
else
{
TrustFrame::pointer destLine;
if (bypassIssuerCheck)
{
destLine =
TrustFrame::loadTrustLine(mPathPayment.destination, curB, db);
}
else
{
auto tlI = TrustFrame::loadTrustLineIssuer(mPathPayment.destination,
curB, db);
if (!tlI.second)
{
metrics.NewMeter({"op-path-payment", "failure", "no-issuer"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_NO_ISSUER);
innerResult().noIssuer() = curB;
return false;
}
destLine = tlI.first;
}
if (!destLine)
{
metrics.NewMeter({"op-path-payment", "failure", "no-trust"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_NO_TRUST);
return false;
}
if (!destLine->isAuthorized())
{
metrics.NewMeter({"op-path-payment", "failure", "not-authorized"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_NOT_AUTHORIZED);
return false;
}
if (!destLine->addBalance(curBReceived))
{
metrics.NewMeter({"op-path-payment", "failure", "line-full"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_LINE_FULL);
return false;
}
//.........这里部分代码省略.........
开发者ID:nullstyle,项目名称:stellar-core,代码行数:101,代码来源:PathPaymentOpFrame.cpp
示例12: makeAsset
const int64_t assetMultiplier = 1000000;
int64_t trustLineLimit = INT64_MAX;
int64_t trustLineStartingBalance = 20000 * assetMultiplier;
Asset idrCur = makeAsset(gateway, "IDR");
Asset usdCur = makeAsset(gateway, "USD");
// sets up gateway account
const int64_t gatewayPayment = minBalance2 + morePayment;
applyCreateAccountTx(app, root, gateway, rootSeq++, gatewayPayment);
SequenceNumber gateway_seq = getAccountSeqNum(gateway, app) + 1;
AccountFrame::pointer a1Account, rootAccount;
rootAccount = loadAccount(root, app);
a1Account = loadAccount(a1, app);
REQUIRE(rootAccount->getMasterWeight() == 1);
REQUIRE(rootAccount->getHighThreshold() == 0);
REQUIRE(rootAccount->getLowThreshold() == 0);
REQUIRE(rootAccount->getMediumThreshold() == 0);
REQUIRE(a1Account->getBalance() == paymentAmount);
REQUIRE(a1Account->getMasterWeight() == 1);
REQUIRE(a1Account->getHighThreshold() == 0);
REQUIRE(a1Account->getLowThreshold() == 0);
REQUIRE(a1Account->getMediumThreshold() == 0);
// root did 2 transactions at this point
REQUIRE(rootAccount->getBalance() ==
(100000000000000000 - paymentAmount - gatewayPayment - txfee * 2));
开发者ID:tctx,项目名称:network,代码行数:29,代码来源:PaymentTests.cpp
示例13: runtime_error
OfferExchange::CrossOfferResult
OfferExchange::crossOffer(OfferFrame& sellingWheatOffer,
int64_t maxWheatReceived, int64_t& numWheatReceived,
int64_t maxSheepSend, int64_t& numSheepSend)
{
Asset& sheep = sellingWheatOffer.getOffer().buying;
Asset& wheat = sellingWheatOffer.getOffer().selling;
AccountID& accountBID = sellingWheatOffer.getOffer().sellerID;
Database& db = mLedgerManager.getDatabase();
AccountFrame::pointer accountB;
accountB = AccountFrame::loadAccount(accountBID, db);
if (!accountB)
{
throw std::runtime_error(
"invalid database state: offer must have matching account");
}
TrustFrame::pointer wheatLineAccountB;
if (wheat.type() != ASSET_TYPE_NATIVE)
{
wheatLineAccountB = TrustFrame::loadTrustLine(accountBID, wheat, db);
if (!wheatLineAccountB)
{
throw std::runtime_error(
"invalid database state: offer must have matching trust line");
}
}
TrustFrame::pointer sheepLineAccountB;
if (sheep.type() == ASSET_TYPE_NATIVE)
{
numWheatReceived = INT64_MAX;
}
else
{
sheepLineAccountB = TrustFrame::loadTrustLine(accountBID, sheep, db);
if (!sheepLineAccountB)
{
throw std::runtime_error(
"invalid database state: offer must have matching trust line");
}
// compute numWheatReceived based on what the account can receive
int64_t sellerMaxSheep = sheepLineAccountB->getMaxAmountReceive();
if (!bigDivide(numWheatReceived, sellerMaxSheep,
sellingWheatOffer.getOffer().price.d,
sellingWheatOffer.getOffer().price.n))
{
numWheatReceived = INT64_MAX;
}
}
// adjust numWheatReceived with what the seller has
{
int64_t wheatCanSell;
if (wheat.type() == ASSET_TYPE_NATIVE)
{
// can only send above the minimum balance
wheatCanSell = accountB->getBalanceAboveReserve(mLedgerManager);
}
else
{
if (wheatLineAccountB->isAuthorized())
{
wheatCanSell = wheatLineAccountB->getBalance();
}
else
{
wheatCanSell = 0;
}
}
if (numWheatReceived > wheatCanSell)
{
numWheatReceived = wheatCanSell;
}
}
// you can receive the lesser of the amount of wheat offered or
// the amount the guy has
if (numWheatReceived >= sellingWheatOffer.getOffer().amount)
{
numWheatReceived = sellingWheatOffer.getOffer().amount;
}
else
{
// update the offer based on the balance (to determine if it should be
// deleted or not)
// note that we don't need to write into the db at this point as the
// actual update
// is done further down
sellingWheatOffer.getOffer().amount = numWheatReceived;
}
bool reducedOffer = false;
if (numWheatReceived > maxWheatReceived)
//.........这里部分代码省略.........
开发者ID:paladin226,项目名称:stellar-core,代码行数:101,代码来源:OfferExchange.cpp
示例14: getCachedEntry
AccountFrame::pointer
AccountFrame::loadAccount(AccountID const& accountID, Database& db)
{
LedgerKey key;
key.type(ACCOUNT);
key.account().accountID = accountID;
if (cachedEntryExists(key, db))
{
auto p = getCachedEntry(key, db);
return p ? std::make_shared<AccountFrame>(*p) : nullptr;
}
std::string actIDStrKey = PubKeyUtils::toStrKey(accountID);
std::string publicKey, inflationDest, creditAuthKey;
std::string homeDomain, thresholds;
soci::indicator inflationDestInd, homeDomainInd, thresholdsInd;
soci::session& session = db.getSession();
AccountFrame::pointer res = make_shared<AccountFrame>(accountID);
AccountEntry& account = res->getAccount();
{
auto timer = db.getSelectTimer("account");
session << "SELECT balance, seqnum, numsubentries, "
"inflationdest, homedomain, thresholds, flags "
"FROM accounts WHERE accountid=:v1",
into(account.balance), into(account.seqNum),
into(account.numSubEntries), into(inflationDest, inflationDestInd),
into(homeDomain, homeDomainInd), into(thresholds, thresholdsInd),
into(account.flags), use(actIDStrKey);
}
if (!session.got_data())
{
putCachedEntry(key, nullptr, db);
return nullptr;
}
if (homeDomainInd == soci::i_ok)
{
account.homeDomain = homeDomain;
}
if (thresholdsInd == soci::i_ok)
{
bn::decode_b64(thresholds.begin(), thresholds.end(),
res->mAccountEntry.thresholds.begin());
}
if (inflationDestInd == soci::i_ok)
{
account.inflationDest.activate() =
PubKeyUtils::fromStrKey(inflationDest);
}
account.signers.clear();
if (account.numSubEntries != 0)
{
string pubKey;
Signer signer;
auto prep = db.getPreparedStatement("SELECT publickey, weight from "
"signers where accountid =:id");
auto& st = prep.statement();
st.exchange(use(actIDStrKey));
st.exchange(into(pubKey));
st.exchange(into(signer.weight));
st.define_and_bind();
{
auto timer = db.getSelectTimer("signer");
st.execute(true);
}
while (st.got_data())
{
signer.pubKey = PubKeyUtils::fromStrKey(pubKey);
account.signers.push_back(signer);
st.fetch();
}
}
res->normalize();
res->mUpdateSigners = false;
res->mKeyCalculated = false;
res->putCachedEntry(db);
return res;
}
开发者ID:themusicgod1,项目名称:stellar-core,代码行数:91,代码来源:AccountFrame.cpp
示例15: oe
bool
PathPaymentOpFrame::doApply(medida::MetricsRegistry& metrics,
LedgerDelta& delta, LedgerManager& ledgerManager)
{
AccountFrame::pointer destination;
Database& db = ledgerManager.getDatabase();
destination = AccountFrame::loadAccount(mPathPayment.destination, db);
if (!destination)
{
metrics.NewMeter({"op-path-payment", "failure", "no-destination"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_NO_DESTINATION);
return false;
}
innerResult().code(PATH_PAYMENT_SUCCESS);
// tracks the last amount that was traded
int64_t curBReceived = mPathPayment.destAmount;
Asset curB = mPathPayment.destAsset;
// update balances, walks backwards
// build the full path to the destination, starting with sendAsset
std::vector<Asset> fullPath;
fullPath.emplace_back(mPathPayment.sendAsset);
fullPath.insert(fullPath.end(), mPathPayment.path.begin(),
mPathPayment.path.end());
// update last balance in the chain
{
if (curB.type() == ASSET_TYPE_NATIVE)
{
destination->getAccount().balance += curBReceived;
destination->storeChange(delta, db);
}
else
{
TrustFrame::pointer destLine;
destLine =
TrustFrame::loadTrustLine(destination->getID(), curB, db);
if (!destLine)
{
metrics.NewMeter({"op-path-payment", "failure", "no-trust"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_NO_TRUST);
return false;
}
if (!destLine->isAuthorized())
{
metrics.NewMeter(
{"op-path-payment", "failure", "not-authorized"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_NOT_AUTHORIZED);
return false;
}
if (!destLine->addBalance(curBReceived))
{
metrics.NewMeter({"op-path-payment", "failure", "line-full"},
"operation").Mark();
innerResult().code(PATH_PAYMENT_LINE_FULL);
return false;
}
destLine->storeChange(delta, db);
}
innerResult().success().last =
SimplePaymentResult(destination->getID(), curB, curBReceived);
}
// now, walk the path backwards
for (int i = (int)fullPath.size() - 1; i >= 0; i--)
{
int64_t curASent, actualCurBReceived;
Asset const& curA = fullPath[i];
if (curA == curB)
{
continue;
}
OfferExchange oe(delta, ledgerManager);
// curA -> curB
OfferExchange::ConvertResult r =
oe.convertWithOffers(curA, INT64_MAX, curASent, curB, curBReceived,
actualCurBReceived, nullptr);
switch (r)
{
case OfferExchange::eFilterStop:
assert(false); // no filter -> should not happen
break;
case OfferExchange::eOK:
//.........这里部分代码省略.........
开发者ID:themusicgod1,项目名称:stellar-core,代码行数:101,代码来源:PathPaymentOpFrame.cpp
注:本文中的accountframe::pointer类示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论