wallet-core: cache fresh coin count in DB

This commit is contained in:
Florian Dold 2022-09-14 20:34:37 +02:00
parent 9d044058e2
commit c021876b41
No known key found for this signature in database
GPG Key ID: D2E4F00F29D02A4B
11 changed files with 197 additions and 129 deletions

View File

@ -529,6 +529,7 @@ export interface PlanchetCreationRequest {
export enum RefreshReason { export enum RefreshReason {
Manual = "manual", Manual = "manual",
PayMerchant = "pay-merchant", PayMerchant = "pay-merchant",
PayDeposit = "pay-deposit",
PayPeerPush = "pay-peer-push", PayPeerPush = "pay-peer-push",
PayPeerPull = "pay-peer-pull", PayPeerPull = "pay-peer-pull",
Refund = "refund", Refund = "refund",

View File

@ -314,6 +314,11 @@ export interface DenominationRecord {
* that includes this denomination. * that includes this denomination.
*/ */
listIssueDate: TalerProtocolTimestamp; listIssueDate: TalerProtocolTimestamp;
/**
* Number of fresh coins of this denomination that are available.
*/
freshCoinCount?: number;
} }
/** /**
@ -520,6 +525,13 @@ export enum CoinStatus {
* Withdrawn and never shown to anybody. * Withdrawn and never shown to anybody.
*/ */
Fresh = "fresh", Fresh = "fresh",
/**
* Fresh, but currently marked as "suspended", thus won't be used
* for spending. Used for testing.
*/
FreshSuspended = "fresh-suspended",
/** /**
* A coin that has been spent and refreshed. * A coin that has been spent and refreshed.
*/ */
@ -605,11 +617,6 @@ export interface CoinRecord {
*/ */
exchangeBaseUrl: string; exchangeBaseUrl: string;
/**
* The coin is currently suspended, and will not be used for payments.
*/
suspended: boolean;
/** /**
* Blinding key used when withdrawing the coin. * Blinding key used when withdrawing the coin.
* Potentionally used again during payback. * Potentionally used again during payback.

View File

@ -413,7 +413,6 @@ export async function importBackup(
currentAmount: Amounts.parseOrThrow(backupCoin.current_amount), currentAmount: Amounts.parseOrThrow(backupCoin.current_amount),
denomSig: backupCoin.denom_sig, denomSig: backupCoin.denom_sig,
coinPub: compCoin.coinPub, coinPub: compCoin.coinPub,
suspended: false,
exchangeBaseUrl: backupExchangeDetails.base_url, exchangeBaseUrl: backupExchangeDetails.base_url,
denomPubHash, denomPubHash,
status: backupCoin.fresh status: backupCoin.fresh

View File

@ -33,12 +33,11 @@ import {
getRandomBytes, getRandomBytes,
hashWire, hashWire,
Logger, Logger,
NotificationType,
parsePaytoUri, parsePaytoUri,
PayCoinSelection, PayCoinSelection,
PrepareDepositRequest, PrepareDepositRequest,
PrepareDepositResponse, PrepareDepositResponse,
TalerErrorDetail, RefreshReason,
TalerProtocolTimestamp, TalerProtocolTimestamp,
TrackDepositGroupRequest, TrackDepositGroupRequest,
TrackDepositGroupResponse, TrackDepositGroupResponse,
@ -46,18 +45,15 @@ import {
} from "@gnu-taler/taler-util"; } from "@gnu-taler/taler-util";
import { import {
DepositGroupRecord, DepositGroupRecord,
OperationAttemptErrorResult,
OperationAttemptResult, OperationAttemptResult,
OperationStatus, OperationStatus,
} from "../db.js"; } from "../db.js";
import { InternalWalletState } from "../internal-wallet-state.js"; import { InternalWalletState } from "../internal-wallet-state.js";
import { selectPayCoins } from "../util/coinSelection.js"; import { selectPayCoins } from "../util/coinSelection.js";
import { readSuccessResponseJsonOrThrow } from "../util/http.js"; import { readSuccessResponseJsonOrThrow } from "../util/http.js";
import { RetryInfo } from "../util/retries.js"; import { spendCoins } from "../wallet.js";
import { guardOperationException } from "./common.js";
import { getExchangeDetails } from "./exchanges.js"; import { getExchangeDetails } from "./exchanges.js";
import { import {
applyCoinSpend,
CoinSelectionRequest, CoinSelectionRequest,
extractContractData, extractContractData,
generateDepositPermissions, generateDepositPermissions,
@ -525,12 +521,12 @@ export async function createDepositGroup(
x.refreshGroups, x.refreshGroups,
]) ])
.runReadWrite(async (tx) => { .runReadWrite(async (tx) => {
await applyCoinSpend( await spendCoins(ws, tx, {
ws, allocationId: `deposit-group:${depositGroup.depositGroupId}`,
tx, coinPubs: payCoinSel.coinPubs,
payCoinSel, contributions: payCoinSel.coinContributions,
`deposit-group:${depositGroup.depositGroupId}`, refreshReason: RefreshReason.PayDeposit,
); });
await tx.depositGroups.put(depositGroup); await tx.depositGroups.put(depositGroup);
}); });

View File

@ -100,6 +100,7 @@ import {
} from "../util/http.js"; } from "../util/http.js";
import { GetReadWriteAccess } from "../util/query.js"; import { GetReadWriteAccess } from "../util/query.js";
import { RetryInfo, RetryTags, scheduleRetry } from "../util/retries.js"; import { RetryInfo, RetryTags, scheduleRetry } from "../util/retries.js";
import { spendCoins } from "../wallet.js";
import { getExchangeDetails } from "./exchanges.js"; import { getExchangeDetails } from "./exchanges.js";
import { createRefreshGroup, getTotalRefreshCost } from "./refresh.js"; import { createRefreshGroup, getTotalRefreshCost } from "./refresh.js";
@ -156,9 +157,6 @@ export async function getTotalPaymentCost(
} }
function isSpendableCoin(coin: CoinRecord, denom: DenominationRecord): boolean { function isSpendableCoin(coin: CoinRecord, denom: DenominationRecord): boolean {
if (coin.suspended) {
return false;
}
if (denom.isRevoked) { if (denom.isRevoked) {
return false; return false;
} }
@ -347,65 +345,6 @@ export async function getCandidatePayCoins(
}; };
} }
/**
* Apply a coin selection to the database. Marks coins as spent
* and creates a refresh session for the remaining amount.
*
* FIXME: This does not deal well with conflicting spends!
* When two payments are made in parallel, the same coin can be selected
* for two payments.
* However, this is a situation that can also happen via sync.
*/
export async function applyCoinSpend(
ws: InternalWalletState,
tx: GetReadWriteAccess<{
coins: typeof WalletStoresV1.coins;
refreshGroups: typeof WalletStoresV1.refreshGroups;
denominations: typeof WalletStoresV1.denominations;
}>,
coinSelection: PayCoinSelection,
allocationId: string,
): Promise<void> {
logger.info(`applying coin spend ${j2s(coinSelection)}`);
for (let i = 0; i < coinSelection.coinPubs.length; i++) {
const coin = await tx.coins.get(coinSelection.coinPubs[i]);
if (!coin) {
throw Error("coin allocated for payment doesn't exist anymore");
}
const contrib = coinSelection.coinContributions[i];
if (coin.status !== CoinStatus.Fresh) {
const alloc = coin.allocation;
if (!alloc) {
continue;
}
if (alloc.id !== allocationId) {
// FIXME: assign error code
throw Error("conflicting coin allocation (id)");
}
if (0 !== Amounts.cmp(alloc.amount, contrib)) {
// FIXME: assign error code
throw Error("conflicting coin allocation (contrib)");
}
continue;
}
coin.status = CoinStatus.Dormant;
coin.allocation = {
id: allocationId,
amount: Amounts.stringify(contrib),
};
const remaining = Amounts.sub(coin.currentAmount, contrib);
if (remaining.saturated) {
throw Error("not enough remaining balance on coin for payment");
}
coin.currentAmount = remaining.amount;
await tx.coins.put(coin);
}
const refreshCoinPubs = coinSelection.coinPubs.map((x) => ({
coinPub: x,
}));
await createRefreshGroup(ws, tx, refreshCoinPubs, RefreshReason.PayMerchant);
}
/** /**
* Record all information that is necessary to * Record all information that is necessary to
* pay for a proposal in the wallet's database. * pay for a proposal in the wallet's database.
@ -468,7 +407,12 @@ async function recordConfirmPay(
await tx.proposals.put(p); await tx.proposals.put(p);
} }
await tx.purchases.put(t); await tx.purchases.put(t);
await applyCoinSpend(ws, tx, coinSelection, `proposal:${t.proposalId}`); await spendCoins(ws, tx, {
allocationId: `proposal:${t.proposalId}`,
coinPubs: coinSelection.coinPubs,
contributions: coinSelection.coinContributions,
refreshReason: RefreshReason.PayMerchant,
});
}); });
ws.notify({ ws.notify({
@ -1038,7 +982,12 @@ async function handleInsufficientFunds(
p.payCoinSelectionUid = encodeCrock(getRandomBytes(32)); p.payCoinSelectionUid = encodeCrock(getRandomBytes(32));
p.coinDepositPermissions = undefined; p.coinDepositPermissions = undefined;
await tx.purchases.put(p); await tx.purchases.put(p);
await applyCoinSpend(ws, tx, res, `proposal:${p.proposalId}`); await spendCoins(ws, tx, {
allocationId: `proposal:${p.proposalId}`,
coinPubs: p.payCoinSelection.coinPubs,
contributions: p.payCoinSelection.coinContributions,
refreshReason: RefreshReason.PayMerchant,
});
}); });
} }

View File

@ -75,6 +75,8 @@ import { internalCreateWithdrawalGroup } from "./withdraw.js";
import { GetReadOnlyAccess } from "../util/query.js"; import { GetReadOnlyAccess } from "../util/query.js";
import { createRefreshGroup } from "./refresh.js"; import { createRefreshGroup } from "./refresh.js";
import { updateExchangeFromUrl } from "./exchanges.js"; import { updateExchangeFromUrl } from "./exchanges.js";
import { spendCoins } from "../wallet.js";
import { RetryTags } from "../util/retries.js";
const logger = new Logger("operations/peer-to-peer.ts"); const logger = new Logger("operations/peer-to-peer.ts");
@ -256,18 +258,14 @@ export async function initiatePeerToPeerPush(
return undefined; return undefined;
} }
const pubs: CoinPublicKey[] = []; await spendCoins(ws, tx, {
for (const c of sel.coins) { allocationId: `peer-push:${pursePair.pub}`,
const coin = await tx.coins.get(c.coinPub); coinPubs: sel.coins.map((x) => x.coinPub),
checkDbInvariant(!!coin); contributions: sel.coins.map((x) =>
coin.currentAmount = Amounts.sub( Amounts.parseOrThrow(x.contribution),
coin.currentAmount, ),
Amounts.parseOrThrow(c.contribution), refreshReason: RefreshReason.PayPeerPush,
).amount; });
coin.status = CoinStatus.Dormant;
pubs.push({ coinPub: coin.coinPub });
await tx.coins.put(coin);
}
await tx.peerPushPaymentInitiations.add({ await tx.peerPushPaymentInitiations.add({
amount: Amounts.stringify(instructedAmount), amount: Amounts.stringify(instructedAmount),
@ -284,8 +282,6 @@ export async function initiatePeerToPeerPush(
timestampCreated: TalerProtocolTimestamp.now(), timestampCreated: TalerProtocolTimestamp.now(),
}); });
await createRefreshGroup(ws, tx, pubs, RefreshReason.PayPeerPush);
return sel; return sel;
}); });
logger.info(`selected p2p coins (push): ${j2s(coinSelRes)}`); logger.info(`selected p2p coins (push): ${j2s(coinSelRes)}`);
@ -588,20 +584,14 @@ export async function acceptPeerPullPayment(
return undefined; return undefined;
} }
const pubs: CoinPublicKey[] = []; await spendCoins(ws, tx, {
for (const c of sel.coins) { allocationId: `peer-pull:${req.peerPullPaymentIncomingId}`,
const coin = await tx.coins.get(c.coinPub); coinPubs: sel.coins.map((x) => x.coinPub),
checkDbInvariant(!!coin); contributions: sel.coins.map((x) =>
coin.currentAmount = Amounts.sub( Amounts.parseOrThrow(x.contribution),
coin.currentAmount, ),
Amounts.parseOrThrow(c.contribution), refreshReason: RefreshReason.PayPeerPull,
).amount; });
coin.status = CoinStatus.Dormant;
pubs.push({ coinPub: coin.coinPub });
await tx.coins.put(coin);
}
await createRefreshGroup(ws, tx, pubs, RefreshReason.PayPeerPull);
const pi = await tx.peerPullPaymentIncoming.get( const pi = await tx.peerPullPaymentIncoming.get(
req.peerPullPaymentIncomingId, req.peerPullPaymentIncomingId,

View File

@ -77,6 +77,7 @@ import {
import { checkDbInvariant } from "../util/invariants.js"; import { checkDbInvariant } from "../util/invariants.js";
import { GetReadWriteAccess } from "../util/query.js"; import { GetReadWriteAccess } from "../util/query.js";
import { RetryInfo, runOperationHandlerForResult } from "../util/retries.js"; import { RetryInfo, runOperationHandlerForResult } from "../util/retries.js";
import { makeCoinAvailable } from "../wallet.js";
import { guardOperationException } from "./common.js"; import { guardOperationException } from "./common.js";
import { updateExchangeFromUrl } from "./exchanges.js"; import { updateExchangeFromUrl } from "./exchanges.js";
import { import {
@ -670,7 +671,6 @@ async function refreshReveal(
type: CoinSourceType.Refresh, type: CoinSourceType.Refresh,
oldCoinPub: refreshGroup.oldCoinPubs[coinIndex], oldCoinPub: refreshGroup.oldCoinPubs[coinIndex],
}, },
suspended: false,
coinEvHash: pc.coinEvHash, coinEvHash: pc.coinEvHash,
ageCommitmentProof: pc.ageCommitmentProof, ageCommitmentProof: pc.ageCommitmentProof,
}; };
@ -680,7 +680,7 @@ async function refreshReveal(
} }
await ws.db await ws.db
.mktx((x) => [x.coins, x.refreshGroups]) .mktx((x) => [x.coins, x.denominations, x.refreshGroups])
.runReadWrite(async (tx) => { .runReadWrite(async (tx) => {
const rg = await tx.refreshGroups.get(refreshGroupId); const rg = await tx.refreshGroups.get(refreshGroupId);
if (!rg) { if (!rg) {
@ -694,7 +694,7 @@ async function refreshReveal(
rg.statusPerCoin[coinIndex] = RefreshCoinStatus.Finished; rg.statusPerCoin[coinIndex] = RefreshCoinStatus.Finished;
updateGroupStatus(rg); updateGroupStatus(rg);
for (const coin of coins) { for (const coin of coins) {
await tx.coins.put(coin); await makeCoinAvailable(ws, tx, coin);
} }
await tx.refreshGroups.put(rg); await tx.refreshGroups.put(rg);
}); });
@ -865,10 +865,22 @@ export async function createRefreshGroup(
!!denom, !!denom,
"denomination for existing coin must be in database", "denomination for existing coin must be in database",
); );
if (coin.status !== CoinStatus.Dormant) {
coin.status = CoinStatus.Dormant;
const denom = await tx.denominations.get([
coin.exchangeBaseUrl,
coin.denomPubHash,
]);
checkDbInvariant(!!denom);
checkDbInvariant(
denom.freshCoinCount != null && denom.freshCoinCount > 0,
);
denom.freshCoinCount--;
await tx.denominations.put(denom);
}
const refreshAmount = coin.currentAmount; const refreshAmount = coin.currentAmount;
inputPerCoin.push(refreshAmount); inputPerCoin.push(refreshAmount);
coin.currentAmount = Amounts.getZero(refreshAmount.currency); coin.currentAmount = Amounts.getZero(refreshAmount.currency);
coin.status = CoinStatus.Dormant;
await tx.coins.put(coin); await tx.coins.put(coin);
const denoms = await getDenoms(coin.exchangeBaseUrl); const denoms = await getDenoms(coin.exchangeBaseUrl);
const cost = getTotalRefreshCost(denoms, denom, refreshAmount); const cost = getTotalRefreshCost(denoms, denom, refreshAmount);
@ -965,9 +977,6 @@ export async function autoRefresh(
if (coin.status !== CoinStatus.Fresh) { if (coin.status !== CoinStatus.Fresh) {
continue; continue;
} }
if (coin.suspended) {
continue;
}
const denom = await tx.denominations.get([ const denom = await tx.denominations.get([
exchangeBaseUrl, exchangeBaseUrl,
coin.denomPubHash, coin.denomPubHash,

View File

@ -51,6 +51,7 @@ import {
readSuccessResponseJsonOrThrow, readSuccessResponseJsonOrThrow,
} from "../util/http.js"; } from "../util/http.js";
import { checkDbInvariant, checkLogicInvariant } from "../util/invariants.js"; import { checkDbInvariant, checkLogicInvariant } from "../util/invariants.js";
import { makeCoinAvailable } from "../wallet.js";
import { updateExchangeFromUrl } from "./exchanges.js"; import { updateExchangeFromUrl } from "./exchanges.js";
import { import {
getCandidateWithdrawalDenoms, getCandidateWithdrawalDenoms,
@ -310,13 +311,12 @@ export async function processTip(
denomSig: { cipher: DenomKeyType.Rsa, rsa_signature: denomSigRsa.sig }, denomSig: { cipher: DenomKeyType.Rsa, rsa_signature: denomSigRsa.sig },
exchangeBaseUrl: tipRecord.exchangeBaseUrl, exchangeBaseUrl: tipRecord.exchangeBaseUrl,
status: CoinStatus.Fresh, status: CoinStatus.Fresh,
suspended: false,
coinEvHash: planchet.coinEvHash, coinEvHash: planchet.coinEvHash,
}); });
} }
await ws.db await ws.db
.mktx((x) => [x.coins, x.tips, x.withdrawalGroups]) .mktx((x) => [x.coins, x.denominations, x.tips])
.runReadWrite(async (tx) => { .runReadWrite(async (tx) => {
const tr = await tx.tips.get(walletTipId); const tr = await tx.tips.get(walletTipId);
if (!tr) { if (!tr) {
@ -328,7 +328,7 @@ export async function processTip(
tr.pickedUpTimestamp = TalerProtocolTimestamp.now(); tr.pickedUpTimestamp = TalerProtocolTimestamp.now();
await tx.tips.put(tr); await tx.tips.put(tr);
for (const cr of newCoinRecords) { for (const cr of newCoinRecords) {
await tx.coins.put(cr); await makeCoinAvailable(ws, tx, cr);
} }
}); });

View File

@ -93,11 +93,11 @@ import {
} from "../util/http.js"; } from "../util/http.js";
import { checkDbInvariant, checkLogicInvariant } from "../util/invariants.js"; import { checkDbInvariant, checkLogicInvariant } from "../util/invariants.js";
import { DbAccess, GetReadOnlyAccess } from "../util/query.js"; import { DbAccess, GetReadOnlyAccess } from "../util/query.js";
import { RetryInfo } from "../util/retries.js";
import { import {
WALLET_BANK_INTEGRATION_PROTOCOL_VERSION, WALLET_BANK_INTEGRATION_PROTOCOL_VERSION,
WALLET_EXCHANGE_PROTOCOL_VERSION, WALLET_EXCHANGE_PROTOCOL_VERSION,
} from "../versions.js"; } from "../versions.js";
import { makeCoinAvailable } from "../wallet.js";
import { import {
getExchangeDetails, getExchangeDetails,
getExchangePaytoUri, getExchangePaytoUri,
@ -805,7 +805,6 @@ async function processPlanchetVerifyAndStoreCoin(
reservePub: planchet.reservePub, reservePub: planchet.reservePub,
withdrawalGroupId: withdrawalGroup.withdrawalGroupId, withdrawalGroupId: withdrawalGroup.withdrawalGroupId,
}, },
suspended: false,
ageCommitmentProof: planchet.ageCommitmentProof, ageCommitmentProof: planchet.ageCommitmentProof,
}; };
@ -815,7 +814,7 @@ async function processPlanchetVerifyAndStoreCoin(
// withdrawal succeeded. If so, mark the withdrawal // withdrawal succeeded. If so, mark the withdrawal
// group as finished. // group as finished.
const firstSuccess = await ws.db const firstSuccess = await ws.db
.mktx((x) => [x.coins, x.withdrawalGroups, x.planchets]) .mktx((x) => [x.coins, x.denominations, x.withdrawalGroups, x.planchets])
.runReadWrite(async (tx) => { .runReadWrite(async (tx) => {
const p = await tx.planchets.get(planchetCoinPub); const p = await tx.planchets.get(planchetCoinPub);
if (!p || p.withdrawalDone) { if (!p || p.withdrawalDone) {
@ -823,7 +822,7 @@ async function processPlanchetVerifyAndStoreCoin(
} }
p.withdrawalDone = true; p.withdrawalDone = true;
await tx.planchets.put(p); await tx.planchets.put(p);
await tx.coins.add(coin); await makeCoinAvailable(ws, tx, coin);
return true; return true;
}); });

View File

@ -445,14 +445,15 @@ function runTx<Arg, Res>(
if (!gotFunResult) { if (!gotFunResult) {
const msg = const msg =
"BUG: transaction closed before transaction function returned"; "BUG: transaction closed before transaction function returned";
console.error(msg); logger.error(msg);
logger.error(`${stack.stack}`);
reject(Error(msg)); reject(Error(msg));
} }
resolve(funResult); resolve(funResult);
}; };
tx.onerror = () => { tx.onerror = () => {
logger.error("error in transaction"); logger.error("error in transaction");
logger.error(`${stack}`); logger.error(`${stack.stack}`);
}; };
tx.onabort = () => { tx.onabort = () => {
let msg: string; let msg: string;

View File

@ -99,7 +99,9 @@ import {
} from "./crypto/workers/cryptoDispatcher.js"; } from "./crypto/workers/cryptoDispatcher.js";
import { import {
AuditorTrustRecord, AuditorTrustRecord,
CoinRecord,
CoinSourceType, CoinSourceType,
CoinStatus,
exportDb, exportDb,
importDb, importDb,
OperationAttemptResult, OperationAttemptResult,
@ -216,6 +218,7 @@ import {
HttpRequestLibrary, HttpRequestLibrary,
readSuccessResponseJsonOrThrow, readSuccessResponseJsonOrThrow,
} from "./util/http.js"; } from "./util/http.js";
import { checkDbInvariant } from "./util/invariants.js";
import { import {
AsyncCondition, AsyncCondition,
OpenedPromise, OpenedPromise,
@ -787,21 +790,135 @@ async function getExchangeDetailedInfo(
}; };
} }
export async function makeCoinAvailable(
ws: InternalWalletState,
tx: GetReadWriteAccess<{
coins: typeof WalletStoresV1.coins;
denominations: typeof WalletStoresV1.denominations;
}>,
coinRecord: CoinRecord,
): Promise<void> {
const denom = await tx.denominations.get([
coinRecord.exchangeBaseUrl,
coinRecord.denomPubHash,
]);
checkDbInvariant(!!denom);
if (!denom.freshCoinCount) {
denom.freshCoinCount = 0;
}
denom.freshCoinCount++;
await tx.coins.put(coinRecord);
await tx.denominations.put(denom);
}
export interface CoinsSpendInfo {
coinPubs: string[];
contributions: AmountJson[];
refreshReason: RefreshReason;
/**
* Identifier for what the coin has been spent for.
*/
allocationId: string;
}
export async function spendCoins(
ws: InternalWalletState,
tx: GetReadWriteAccess<{
coins: typeof WalletStoresV1.coins;
refreshGroups: typeof WalletStoresV1.refreshGroups;
denominations: typeof WalletStoresV1.denominations;
}>,
csi: CoinsSpendInfo,
): Promise<void> {
for (let i = 0; i < csi.coinPubs.length; i++) {
const coin = await tx.coins.get(csi.coinPubs[i]);
if (!coin) {
throw Error("coin allocated for payment doesn't exist anymore");
}
const denom = await tx.denominations.get([
coin.exchangeBaseUrl,
coin.denomPubHash,
]);
checkDbInvariant(!!denom);
const contrib = csi.contributions[i];
if (coin.status !== CoinStatus.Fresh) {
const alloc = coin.allocation;
if (!alloc) {
continue;
}
if (alloc.id !== csi.allocationId) {
// FIXME: assign error code
throw Error("conflicting coin allocation (id)");
}
if (0 !== Amounts.cmp(alloc.amount, contrib)) {
// FIXME: assign error code
throw Error("conflicting coin allocation (contrib)");
}
continue;
}
coin.status = CoinStatus.Dormant;
coin.allocation = {
id: csi.allocationId,
amount: Amounts.stringify(contrib),
};
const remaining = Amounts.sub(coin.currentAmount, contrib);
if (remaining.saturated) {
throw Error("not enough remaining balance on coin for payment");
}
coin.currentAmount = remaining.amount;
checkDbInvariant(!!denom);
if (denom.freshCoinCount == null || denom.freshCoinCount === 0) {
throw Error(`invalid coin count ${denom.freshCoinCount} in DB`);
}
denom.freshCoinCount--;
await tx.coins.put(coin);
await tx.denominations.put(denom);
}
const refreshCoinPubs = csi.coinPubs.map((x) => ({
coinPub: x,
}));
await createRefreshGroup(ws, tx, refreshCoinPubs, RefreshReason.PayMerchant);
}
async function setCoinSuspended( async function setCoinSuspended(
ws: InternalWalletState, ws: InternalWalletState,
coinPub: string, coinPub: string,
suspended: boolean, suspended: boolean,
): Promise<void> { ): Promise<void> {
await ws.db await ws.db
.mktx((x) => [x.coins]) .mktx((x) => [x.coins, x.denominations])
.runReadWrite(async (tx) => { .runReadWrite(async (tx) => {
const c = await tx.coins.get(coinPub); const c = await tx.coins.get(coinPub);
if (!c) { if (!c) {
logger.warn(`coin ${coinPub} not found, won't suspend`); logger.warn(`coin ${coinPub} not found, won't suspend`);
return; return;
} }
c.suspended = suspended; const denom = await tx.denominations.get([
c.exchangeBaseUrl,
c.denomPubHash,
]);
checkDbInvariant(!!denom);
if (suspended) {
if (c.status !== CoinStatus.Fresh) {
return;
}
if (denom.freshCoinCount == null || denom.freshCoinCount === 0) {
throw Error(`invalid coin count ${denom.freshCoinCount} in DB`);
}
denom.freshCoinCount--;
c.status = CoinStatus.FreshSuspended;
} else {
if (c.status == CoinStatus.Dormant) {
return;
}
if (denom.freshCoinCount == null) {
denom.freshCoinCount = 0;
}
denom.freshCoinCount++;
c.status = CoinStatus.Fresh;
}
await tx.coins.put(c); await tx.coins.put(c);
await tx.denominations.put(denom);
}); });
} }
@ -857,7 +974,7 @@ async function dumpCoins(ws: InternalWalletState): Promise<CoinDumpJson> {
refresh_parent_coin_pub: refreshParentCoinPub, refresh_parent_coin_pub: refreshParentCoinPub,
remaining_value: Amounts.stringify(c.currentAmount), remaining_value: Amounts.stringify(c.currentAmount),
withdrawal_reserve_pub: withdrawalReservePub, withdrawal_reserve_pub: withdrawalReservePub,
coin_suspended: c.suspended, coin_suspended: c.status === CoinStatus.FreshSuspended,
ageCommitmentProof: c.ageCommitmentProof, ageCommitmentProof: c.ageCommitmentProof,
}); });
} }