wallet-core/packages/taler-wallet-core/src/operations/refresh.ts

1002 lines
28 KiB
TypeScript
Raw Normal View History

/*
This file is part of GNU Taler
(C) 2019 GNUnet e.V.
GNU Taler is free software; you can redistribute it and/or modify it under the
terms of the GNU General Public License as published by the Free Software
Foundation; either version 3, or (at your option) any later version.
GNU Taler 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 General Public License for more details.
You should have received a copy of the GNU General Public License along with
GNU Taler; see the file COPYING. If not, see <http://www.gnu.org/licenses/>
*/
2021-11-17 10:23:22 +01:00
import {
DenomKeyType,
encodeCrock,
getRandomBytes,
HttpStatusCode,
} from "@gnu-taler/taler-util";
import {
CoinRecord,
CoinSourceType,
2021-02-08 15:38:34 +01:00
CoinStatus,
DenominationRecord,
2021-08-24 14:25:46 +02:00
RefreshCoinStatus,
2021-02-08 15:38:34 +01:00
RefreshGroupRecord,
2021-06-09 15:14:17 +02:00
WalletStoresV1,
2021-03-17 17:56:37 +01:00
} from "../db.js";
2021-02-08 15:38:34 +01:00
import {
codecForExchangeMeltResponse,
codecForExchangeRevealResponse,
CoinPublicKey,
2021-08-24 14:25:46 +02:00
fnutil,
2021-03-17 17:56:37 +01:00
NotificationType,
RefreshGroupId,
2021-08-24 15:43:06 +02:00
RefreshPlanchetInfo,
2021-02-08 15:38:34 +01:00
RefreshReason,
2021-08-19 16:06:09 +02:00
stringifyTimestamp,
2021-02-08 15:38:34 +01:00
TalerErrorDetails,
timestampToIsoString,
2021-03-17 17:56:37 +01:00
} from "@gnu-taler/taler-util";
import { AmountJson, Amounts } from "@gnu-taler/taler-util";
import { amountToPretty } from "@gnu-taler/taler-util";
2021-08-24 14:25:46 +02:00
import {
readSuccessResponseJsonOrThrow,
readUnexpectedResponseDetails,
} from "../util/http.js";
2021-06-14 16:08:58 +02:00
import { checkDbInvariant } from "../util/invariants.js";
2021-06-08 20:58:13 +02:00
import { Logger } from "@gnu-taler/taler-util";
2021-06-14 16:08:58 +02:00
import { initRetryInfo, updateRetryInfoTimeout } from "../util/retries.js";
2020-09-03 17:08:26 +02:00
import {
Duration,
durationFromSpec,
2021-02-08 15:38:34 +01:00
durationMul,
getTimestampNow,
isTimestampExpired,
Timestamp,
2020-09-03 17:08:26 +02:00
timestampAddDuration,
timestampDifference,
2021-02-08 15:38:34 +01:00
timestampMin,
URL,
2021-03-17 17:56:37 +01:00
} from "@gnu-taler/taler-util";
import { guardOperationException } from "../errors.js";
2021-06-14 16:08:58 +02:00
import { updateExchangeFromUrl } from "./exchanges.js";
import { EXCHANGE_COINS_LOCK, InternalWalletState } from "../common.js";
import {
isWithdrawableDenom,
selectWithdrawalDenominations,
} from "./withdraw.js";
2021-03-17 17:56:37 +01:00
import { RefreshNewDenomInfo } from "../crypto/cryptoTypes.js";
2021-06-09 15:14:17 +02:00
import { GetReadWriteAccess } from "../util/query.js";
const logger = new Logger("refresh.ts");
/**
* Get the amount that we lose when refreshing a coin of the given denomination
* with a certain amount left.
*
* If the amount left is zero, then the refresh cost
* is also considered to be zero. If a refresh isn't possible (e.g. due to lack of
* the right denominations), then the cost is the full amount left.
*
* Considers refresh fees, withdrawal fees after refresh and amounts too small
* to refresh.
*/
export function getTotalRefreshCost(
denoms: DenominationRecord[],
refreshedDenom: DenominationRecord,
amountLeft: AmountJson,
): AmountJson {
const withdrawAmount = Amounts.sub(amountLeft, refreshedDenom.feeRefresh)
.amount;
const withdrawDenoms = selectWithdrawalDenominations(withdrawAmount, denoms);
const resultingAmount = Amounts.add(
Amounts.getZero(withdrawAmount.currency),
...withdrawDenoms.selectedDenoms.map(
(d) => Amounts.mult(d.denom.value, d.count).amount,
),
).amount;
const totalCost = Amounts.sub(amountLeft, resultingAmount).amount;
logger.trace(
2020-05-15 19:24:39 +02:00
`total refresh cost for ${amountToPretty(amountLeft)} is ${amountToPretty(
totalCost,
)}`,
);
return totalCost;
}
2021-08-24 14:25:46 +02:00
function updateGroupStatus(rg: RefreshGroupRecord): void {
let allDone = fnutil.all(
rg.statusPerCoin,
(x) => x === RefreshCoinStatus.Finished || x === RefreshCoinStatus.Frozen,
);
let anyFrozen = fnutil.any(
rg.statusPerCoin,
(x) => x === RefreshCoinStatus.Frozen,
);
if (allDone) {
if (anyFrozen) {
rg.frozen = true;
rg.retryInfo = initRetryInfo();
} else {
rg.timestampFinished = getTimestampNow();
rg.retryInfo = initRetryInfo();
}
}
}
/**
2021-06-09 15:14:17 +02:00
* Create a refresh session for one particular coin inside a refresh group.
*/
async function refreshCreateSession(
ws: InternalWalletState,
refreshGroupId: string,
coinIndex: number,
): Promise<void> {
logger.trace(
`creating refresh session for coin ${coinIndex} in refresh group ${refreshGroupId}`,
);
2021-06-09 15:14:17 +02:00
const d = await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
coins: x.coins,
}))
.runReadWrite(async (tx) => {
const refreshGroup = await tx.refreshGroups.get(refreshGroupId);
if (!refreshGroup) {
return;
}
2021-08-24 14:25:46 +02:00
if (
refreshGroup.statusPerCoin[coinIndex] === RefreshCoinStatus.Finished
) {
2021-06-09 15:14:17 +02:00
return;
}
const existingRefreshSession =
refreshGroup.refreshSessionPerCoin[coinIndex];
if (existingRefreshSession) {
return;
}
const oldCoinPub = refreshGroup.oldCoinPubs[coinIndex];
const coin = await tx.coins.get(oldCoinPub);
if (!coin) {
throw Error("Can't refresh, coin not found");
}
return { refreshGroup, coin };
});
if (!d) {
return;
}
2021-06-09 15:14:17 +02:00
const { refreshGroup, coin } = d;
const { exchange } = await updateExchangeFromUrl(ws, coin.exchangeBaseUrl);
if (!exchange) {
throw Error("db inconsistent: exchange of coin not found");
}
2021-08-19 16:06:09 +02:00
// FIXME: use helper functions from withdraw.ts
// to update and filter withdrawable denoms.
2021-06-09 15:14:17 +02:00
const { availableAmount, availableDenoms } = await ws.db
.mktx((x) => ({
denominations: x.denominations,
}))
.runReadOnly(async (tx) => {
const oldDenom = await tx.denominations.get([
exchange.baseUrl,
coin.denomPubHash,
]);
2021-06-09 15:14:17 +02:00
if (!oldDenom) {
throw Error("db inconsistent: denomination for coin not found");
}
// FIXME: use an index here, based on the withdrawal expiration time.
2021-06-09 15:14:17 +02:00
const availableDenoms: DenominationRecord[] = await tx.denominations.indexes.byExchangeBaseUrl
.iter(exchange.baseUrl)
.toArray();
2021-06-09 15:14:17 +02:00
const availableAmount = Amounts.sub(
refreshGroup.inputPerCoin[coinIndex],
oldDenom.feeRefresh,
).amount;
return { availableAmount, availableDenoms };
});
2021-01-13 00:51:30 +01:00
const newCoinDenoms = selectWithdrawalDenominations(
availableAmount,
availableDenoms,
);
2021-08-19 16:06:09 +02:00
if (logger.shouldLogTrace()) {
logger.trace(`printing selected denominations for refresh`);
logger.trace(`current time: ${stringifyTimestamp(getTimestampNow())}`);
for (const denom of newCoinDenoms.selectedDenoms) {
2021-08-19 18:34:23 +02:00
logger.trace(`denom ${denom.denom}, count ${denom.count}`);
logger.trace(
2021-08-19 16:06:09 +02:00
`withdrawal expiration ${stringifyTimestamp(
denom.denom.stampExpireWithdraw,
)}`,
);
}
}
if (newCoinDenoms.selectedDenoms.length === 0) {
logger.trace(
`not refreshing, available amount ${amountToPretty(
availableAmount,
)} too small`,
);
2021-06-09 15:14:17 +02:00
await ws.db
.mktx((x) => ({
coins: x.coins,
refreshGroups: x.refreshGroups,
}))
.runReadWrite(async (tx) => {
const rg = await tx.refreshGroups.get(refreshGroupId);
if (!rg) {
return;
}
2021-08-24 14:25:46 +02:00
rg.statusPerCoin[coinIndex] = RefreshCoinStatus.Finished;
updateGroupStatus(rg);
2021-06-09 15:14:17 +02:00
await tx.refreshGroups.put(rg);
});
ws.notify({ type: NotificationType.RefreshUnwarranted });
return;
}
2020-12-14 16:44:42 +01:00
const sessionSecretSeed = encodeCrock(getRandomBytes(64));
// Store refresh session for this coin in the database.
2021-06-09 15:14:17 +02:00
await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
coins: x.coins,
}))
.runReadWrite(async (tx) => {
const rg = await tx.refreshGroups.get(refreshGroupId);
if (!rg) {
return;
}
if (rg.refreshSessionPerCoin[coinIndex]) {
return;
}
2020-12-14 16:44:42 +01:00
rg.refreshSessionPerCoin[coinIndex] = {
norevealIndex: undefined,
sessionSecretSeed: sessionSecretSeed,
newDenoms: newCoinDenoms.selectedDenoms.map((x) => ({
count: x.count,
denomPubHash: x.denom.denomPubHash,
})),
amountRefreshOutput: newCoinDenoms.totalCoinValue,
};
2021-06-09 15:14:17 +02:00
await tx.refreshGroups.put(rg);
});
logger.info(
`created refresh session for coin #${coinIndex} in ${refreshGroupId}`,
);
ws.notify({ type: NotificationType.RefreshStarted });
}
function getRefreshRequestTimeout(rg: RefreshGroupRecord): Duration {
return { d_ms: 5000 };
}
async function refreshMelt(
ws: InternalWalletState,
refreshGroupId: string,
coinIndex: number,
): Promise<void> {
2021-06-09 15:14:17 +02:00
const d = await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
coins: x.coins,
denominations: x.denominations,
}))
.runReadWrite(async (tx) => {
const refreshGroup = await tx.refreshGroups.get(refreshGroupId);
if (!refreshGroup) {
return;
}
const refreshSession = refreshGroup.refreshSessionPerCoin[coinIndex];
if (!refreshSession) {
return;
}
if (refreshSession.norevealIndex !== undefined) {
return;
}
2021-06-09 15:14:17 +02:00
const oldCoin = await tx.coins.get(refreshGroup.oldCoinPubs[coinIndex]);
checkDbInvariant(!!oldCoin, "melt coin doesn't exist");
const oldDenom = await tx.denominations.get([
oldCoin.exchangeBaseUrl,
oldCoin.denomPubHash,
]);
checkDbInvariant(
!!oldDenom,
"denomination for melted coin doesn't exist",
);
2020-12-14 16:44:42 +01:00
2021-06-09 15:14:17 +02:00
const newCoinDenoms: RefreshNewDenomInfo[] = [];
2021-06-09 15:14:17 +02:00
for (const dh of refreshSession.newDenoms) {
const newDenom = await tx.denominations.get([
oldCoin.exchangeBaseUrl,
dh.denomPubHash,
]);
checkDbInvariant(
!!newDenom,
"new denomination for refresh not in database",
);
newCoinDenoms.push({
count: dh.count,
denomPub: newDenom.denomPub,
feeWithdraw: newDenom.feeWithdraw,
value: newDenom.value,
});
}
return { newCoinDenoms, oldCoin, oldDenom, refreshGroup, refreshSession };
2020-12-14 16:44:42 +01:00
});
2021-06-09 15:14:17 +02:00
if (!d) {
return;
}
2021-06-09 15:14:17 +02:00
const { newCoinDenoms, oldCoin, oldDenom, refreshGroup, refreshSession } = d;
2020-12-14 16:44:42 +01:00
const derived = await ws.cryptoApi.deriveRefreshSession({
kappa: 3,
meltCoinDenomPubHash: oldCoin.denomPubHash,
meltCoinPriv: oldCoin.coinPriv,
meltCoinPub: oldCoin.coinPub,
feeRefresh: oldDenom.feeRefresh,
newCoinDenoms,
sessionSecretSeed: refreshSession.sessionSecretSeed,
});
2020-03-09 12:07:46 +01:00
const reqUrl = new URL(
2020-12-14 16:44:42 +01:00
`coins/${oldCoin.coinPub}/melt`,
oldCoin.exchangeBaseUrl,
2020-03-09 12:07:46 +01:00
);
const meltReq = {
2020-12-14 16:44:42 +01:00
coin_pub: oldCoin.coinPub,
confirm_sig: derived.confirmSig,
denom_pub_hash: oldCoin.denomPubHash,
denom_sig: oldCoin.denomSig,
rc: derived.hash,
value_with_fee: Amounts.stringify(derived.meltValueWithFee),
};
2020-01-19 20:41:51 +01:00
logger.trace(`melt request for coin:`, meltReq);
const resp = await ws.runSequentialized([EXCHANGE_COINS_LOCK], async () => {
return await ws.http.postJson(reqUrl.href, meltReq, {
timeout: getRefreshRequestTimeout(refreshGroup),
});
});
2021-11-03 13:17:57 +01:00
if (resp.status === HttpStatusCode.NotFound) {
2021-08-24 14:25:46 +02:00
const errDetails = await readUnexpectedResponseDetails(resp);
await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
}))
.runReadWrite(async (tx) => {
const rg = await tx.refreshGroups.get(refreshGroupId);
if (!rg) {
return;
}
if (rg.timestampFinished) {
return;
}
if (rg.statusPerCoin[coinIndex] !== RefreshCoinStatus.Pending) {
return;
}
rg.statusPerCoin[coinIndex] = RefreshCoinStatus.Frozen;
rg.lastErrorPerCoin[coinIndex] = errDetails;
updateGroupStatus(rg);
await tx.refreshGroups.put(rg);
});
return;
}
const meltResponse = await readSuccessResponseJsonOrThrow(
resp,
codecForExchangeMeltResponse(),
);
const norevealIndex = meltResponse.noreveal_index;
refreshSession.norevealIndex = norevealIndex;
2021-06-09 15:14:17 +02:00
await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
}))
.runReadWrite(async (tx) => {
const rg = await tx.refreshGroups.get(refreshGroupId);
if (!rg) {
return;
}
if (rg.timestampFinished) {
return;
}
const rs = rg.refreshSessionPerCoin[coinIndex];
if (!rs) {
return;
}
if (rs.norevealIndex !== undefined) {
return;
}
rs.norevealIndex = norevealIndex;
await tx.refreshGroups.put(rg);
});
2019-12-05 19:38:19 +01:00
ws.notify({
type: NotificationType.RefreshMelted,
});
}
async function refreshReveal(
ws: InternalWalletState,
refreshGroupId: string,
coinIndex: number,
): Promise<void> {
2021-06-09 15:14:17 +02:00
const d = await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
coins: x.coins,
denominations: x.denominations,
}))
.runReadOnly(async (tx) => {
const refreshGroup = await tx.refreshGroups.get(refreshGroupId);
if (!refreshGroup) {
return;
}
const refreshSession = refreshGroup.refreshSessionPerCoin[coinIndex];
if (!refreshSession) {
return;
}
const norevealIndex = refreshSession.norevealIndex;
if (norevealIndex === undefined) {
throw Error("can't reveal without melting first");
}
2020-12-14 16:44:42 +01:00
2021-06-09 15:14:17 +02:00
const oldCoin = await tx.coins.get(refreshGroup.oldCoinPubs[coinIndex]);
checkDbInvariant(!!oldCoin, "melt coin doesn't exist");
const oldDenom = await tx.denominations.get([
oldCoin.exchangeBaseUrl,
oldCoin.denomPubHash,
]);
checkDbInvariant(
!!oldDenom,
"denomination for melted coin doesn't exist",
);
2020-12-14 16:44:42 +01:00
2021-06-09 15:14:17 +02:00
const newCoinDenoms: RefreshNewDenomInfo[] = [];
2020-12-14 16:44:42 +01:00
2021-06-09 15:14:17 +02:00
for (const dh of refreshSession.newDenoms) {
const newDenom = await tx.denominations.get([
oldCoin.exchangeBaseUrl,
dh.denomPubHash,
]);
checkDbInvariant(
!!newDenom,
"new denomination for refresh not in database",
);
newCoinDenoms.push({
count: dh.count,
denomPub: newDenom.denomPub,
feeWithdraw: newDenom.feeWithdraw,
value: newDenom.value,
});
}
return {
oldCoin,
oldDenom,
newCoinDenoms,
refreshSession,
refreshGroup,
norevealIndex,
};
2020-12-14 16:44:42 +01:00
});
2021-06-09 15:14:17 +02:00
if (!d) {
return;
2020-12-14 16:44:42 +01:00
}
2021-06-09 15:14:17 +02:00
const {
oldCoin,
oldDenom,
newCoinDenoms,
refreshSession,
refreshGroup,
norevealIndex,
} = d;
2020-12-14 16:44:42 +01:00
const derived = await ws.cryptoApi.deriveRefreshSession({
kappa: 3,
meltCoinDenomPubHash: oldCoin.denomPubHash,
meltCoinPriv: oldCoin.coinPriv,
meltCoinPub: oldCoin.coinPub,
feeRefresh: oldDenom.feeRefresh,
newCoinDenoms,
sessionSecretSeed: refreshSession.sessionSecretSeed,
});
const privs = Array.from(derived.transferPrivs);
privs.splice(norevealIndex, 1);
2020-12-14 16:44:42 +01:00
const planchets = derived.planchetsForGammas[norevealIndex];
if (!planchets) {
throw Error("refresh index error");
}
2021-08-24 15:43:06 +02:00
const evs = planchets.map((x: RefreshPlanchetInfo) => x.coinEv);
2020-12-14 16:44:42 +01:00
const newDenomsFlat: string[] = [];
const linkSigs: string[] = [];
2020-12-14 16:44:42 +01:00
for (let i = 0; i < refreshSession.newDenoms.length; i++) {
2020-12-14 16:44:42 +01:00
const dsel = refreshSession.newDenoms[i];
for (let j = 0; j < dsel.count; j++) {
const newCoinIndex = linkSigs.length;
const linkSig = await ws.cryptoApi.signCoinLink(
2021-06-09 15:14:17 +02:00
oldCoin.coinPriv,
2020-12-14 16:44:42 +01:00
dsel.denomPubHash,
2021-06-09 15:14:17 +02:00
oldCoin.coinPub,
2020-12-14 16:44:42 +01:00
derived.transferPubs[norevealIndex],
planchets[newCoinIndex].coinEv,
);
linkSigs.push(linkSig);
newDenomsFlat.push(dsel.denomPubHash);
}
}
const req = {
coin_evs: evs,
2020-12-14 16:44:42 +01:00
new_denoms_h: newDenomsFlat,
rc: derived.hash,
transfer_privs: privs,
2020-12-14 16:44:42 +01:00
transfer_pub: derived.transferPubs[norevealIndex],
link_sigs: linkSigs,
};
2020-03-09 12:07:46 +01:00
const reqUrl = new URL(
2020-12-14 16:44:42 +01:00
`refreshes/${derived.hash}/reveal`,
oldCoin.exchangeBaseUrl,
2020-03-09 12:07:46 +01:00
);
const resp = await ws.runSequentialized([EXCHANGE_COINS_LOCK], async () => {
return await ws.http.postJson(reqUrl.href, req, {
timeout: getRefreshRequestTimeout(refreshGroup),
});
});
const reveal = await readSuccessResponseJsonOrThrow(
resp,
codecForExchangeRevealResponse(),
);
const coins: CoinRecord[] = [];
2020-12-14 16:44:42 +01:00
for (let i = 0; i < refreshSession.newDenoms.length; i++) {
for (let j = 0; j < refreshSession.newDenoms[i].count; j++) {
const newCoinIndex = coins.length;
2021-06-09 15:14:17 +02:00
// FIXME: Look up in earlier transaction!
const denom = await ws.db
.mktx((x) => ({
denominations: x.denominations,
}))
.runReadOnly(async (tx) => {
return tx.denominations.get([
oldCoin.exchangeBaseUrl,
refreshSession.newDenoms[i].denomPubHash,
]);
});
2020-12-14 16:44:42 +01:00
if (!denom) {
console.error("denom not found");
continue;
}
const pc = derived.planchetsForGammas[norevealIndex][newCoinIndex];
2021-11-17 10:23:22 +01:00
if (denom.denomPub.cipher !== 1) {
throw Error("cipher unsupported");
}
const evSig = reveal.ev_sigs[newCoinIndex].ev_sig;
if (evSig.cipher !== DenomKeyType.Rsa) {
throw Error("unsupported cipher");
}
const denomSigRsa = await ws.cryptoApi.rsaUnblind(
evSig.blinded_rsa_signature,
2020-12-14 16:44:42 +01:00
pc.blindingKey,
2021-11-17 10:23:22 +01:00
denom.denomPub.rsa_public_key,
2020-12-14 16:44:42 +01:00
);
const coin: CoinRecord = {
blindingKey: pc.blindingKey,
coinPriv: pc.privateKey,
coinPub: pc.publicKey,
currentAmount: denom.value,
denomPub: denom.denomPub,
denomPubHash: denom.denomPubHash,
2021-11-17 10:23:22 +01:00
denomSig: {
cipher: DenomKeyType.Rsa,
rsa_signature: denomSigRsa,
},
2020-12-14 16:44:42 +01:00
exchangeBaseUrl: oldCoin.exchangeBaseUrl,
status: CoinStatus.Fresh,
coinSource: {
type: CoinSourceType.Refresh,
oldCoinPub: refreshGroup.oldCoinPubs[coinIndex],
},
suspended: false,
coinEvHash: pc.coinEv,
2020-12-14 16:44:42 +01:00
};
coins.push(coin);
}
}
2021-06-09 15:14:17 +02:00
await ws.db
.mktx((x) => ({
coins: x.coins,
refreshGroups: x.refreshGroups,
}))
.runReadWrite(async (tx) => {
const rg = await tx.refreshGroups.get(refreshGroupId);
if (!rg) {
logger.warn("no refresh session found");
return;
}
const rs = rg.refreshSessionPerCoin[coinIndex];
if (!rs) {
return;
}
2021-08-24 14:25:46 +02:00
rg.statusPerCoin[coinIndex] = RefreshCoinStatus.Finished;
updateGroupStatus(rg);
2020-04-06 17:45:41 +02:00
for (const coin of coins) {
2021-06-09 15:14:17 +02:00
await tx.coins.put(coin);
}
2021-06-09 15:14:17 +02:00
await tx.refreshGroups.put(rg);
});
logger.trace("refresh finished (end of reveal)");
2019-12-05 19:38:19 +01:00
ws.notify({
type: NotificationType.RefreshRevealed,
});
}
2019-12-05 19:38:19 +01:00
async function incrementRefreshRetry(
ws: InternalWalletState,
refreshGroupId: string,
2020-09-01 14:57:22 +02:00
err: TalerErrorDetails | undefined,
2019-12-05 19:38:19 +01:00
): Promise<void> {
2021-06-09 15:14:17 +02:00
await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
}))
.runReadWrite(async (tx) => {
const r = await tx.refreshGroups.get(refreshGroupId);
if (!r) {
return;
}
if (!r.retryInfo) {
return;
}
r.retryInfo.retryCounter++;
updateRetryInfoTimeout(r.retryInfo);
r.lastError = err;
await tx.refreshGroups.put(r);
});
if (err) {
ws.notify({ type: NotificationType.RefreshOperationError, error: err });
}
2019-12-05 19:38:19 +01:00
}
/**
* Actually process a refresh group that has been created.
*/
export async function processRefreshGroup(
ws: InternalWalletState,
refreshGroupId: string,
2020-04-06 17:45:41 +02:00
forceNow = false,
): Promise<void> {
await ws.memoProcessRefresh.memo(refreshGroupId, async () => {
2020-09-01 14:57:22 +02:00
const onOpErr = (e: TalerErrorDetails): Promise<void> =>
incrementRefreshRetry(ws, refreshGroupId, e);
return await guardOperationException(
async () => await processRefreshGroupImpl(ws, refreshGroupId, forceNow),
2019-12-05 19:38:19 +01:00
onOpErr,
);
});
}
async function resetRefreshGroupRetry(
ws: InternalWalletState,
2021-06-09 15:14:17 +02:00
refreshGroupId: string,
2020-04-07 10:07:32 +02:00
): Promise<void> {
2021-06-09 15:14:17 +02:00
await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
}))
.runReadWrite(async (tx) => {
const x = await tx.refreshGroups.get(refreshGroupId);
2021-06-11 11:15:08 +02:00
if (x) {
2021-06-09 15:14:17 +02:00
x.retryInfo = initRetryInfo();
await tx.refreshGroups.put(x);
}
});
}
async function processRefreshGroupImpl(
2019-12-05 19:38:19 +01:00
ws: InternalWalletState,
refreshGroupId: string,
forceNow: boolean,
2020-04-07 10:07:32 +02:00
): Promise<void> {
if (forceNow) {
await resetRefreshGroupRetry(ws, refreshGroupId);
}
2021-06-09 15:14:17 +02:00
const refreshGroup = await ws.db
.mktx((x) => ({
refreshGroups: x.refreshGroups,
}))
.runReadOnly(async (tx) => {
return tx.refreshGroups.get(refreshGroupId);
});
if (!refreshGroup) {
return;
}
2019-12-16 16:20:45 +01:00
if (refreshGroup.timestampFinished) {
return;
}
2021-06-09 15:14:17 +02:00
// Process refresh sessions of the group in parallel.
const ps = refreshGroup.oldCoinPubs.map((x, i) =>
processRefreshSession(ws, refreshGroupId, i),
);
await Promise.all(ps);
logger.trace("refresh finished");
}
async function processRefreshSession(
ws: InternalWalletState,
refreshGroupId: string,
coinIndex: number,
2020-04-07 10:07:32 +02:00
): Promise<void> {
2020-03-09 12:07:46 +01:00
logger.trace(
`processing refresh session for coin ${coinIndex} of group ${refreshGroupId}`,
);
2021-06-09 15:14:17 +02:00
let refreshGroup = await ws.db
.mktx((x) => ({ refreshGroups: x.refreshGroups }))
.runReadOnly(async (tx) => {
return tx.refreshGroups.get(refreshGroupId);
});
if (!refreshGroup) {
return;
}
2021-08-24 14:25:46 +02:00
if (refreshGroup.statusPerCoin[coinIndex] === RefreshCoinStatus.Finished) {
return;
}
if (!refreshGroup.refreshSessionPerCoin[coinIndex]) {
await refreshCreateSession(ws, refreshGroupId, coinIndex);
2021-06-09 15:14:17 +02:00
refreshGroup = await ws.db
.mktx((x) => ({ refreshGroups: x.refreshGroups }))
.runReadOnly(async (tx) => {
return tx.refreshGroups.get(refreshGroupId);
});
if (!refreshGroup) {
return;
}
}
const refreshSession = refreshGroup.refreshSessionPerCoin[coinIndex];
if (!refreshSession) {
2021-08-24 14:25:46 +02:00
if (refreshGroup.statusPerCoin[coinIndex] !== RefreshCoinStatus.Finished) {
throw Error(
"BUG: refresh session was not created and coin not marked as finished",
);
}
return;
}
if (refreshSession.norevealIndex === undefined) {
await refreshMelt(ws, refreshGroupId, coinIndex);
}
await refreshReveal(ws, refreshGroupId, coinIndex);
}
/**
* Create a refresh group for a list of coins.
*
* Refreshes the remaining amount on the coin, effectively capturing the remaining
* value in the refresh group.
*
* The caller must ensure that
* the remaining amount was updated correctly before the coin was deposited or
* credited.
*
* The caller must also ensure that the coins that should be refreshed exist
* in the current database transaction.
*/
export async function createRefreshGroup(
2020-07-23 14:05:17 +02:00
ws: InternalWalletState,
2021-06-09 15:14:17 +02:00
tx: GetReadWriteAccess<{
denominations: typeof WalletStoresV1.denominations;
coins: typeof WalletStoresV1.coins;
refreshGroups: typeof WalletStoresV1.refreshGroups;
}>,
oldCoinPubs: CoinPublicKey[],
reason: RefreshReason,
): Promise<RefreshGroupId> {
const refreshGroupId = encodeCrock(getRandomBytes(32));
const inputPerCoin: AmountJson[] = [];
const estimatedOutputPerCoin: AmountJson[] = [];
const denomsPerExchange: Record<string, DenominationRecord[]> = {};
const getDenoms = async (
exchangeBaseUrl: string,
): Promise<DenominationRecord[]> => {
if (denomsPerExchange[exchangeBaseUrl]) {
return denomsPerExchange[exchangeBaseUrl];
}
2021-06-09 15:14:17 +02:00
const allDenoms = await tx.denominations.indexes.byExchangeBaseUrl
.iter(exchangeBaseUrl)
.filter((x) => {
return isWithdrawableDenom(x);
});
denomsPerExchange[exchangeBaseUrl] = allDenoms;
return allDenoms;
};
for (const ocp of oldCoinPubs) {
2021-06-09 15:14:17 +02:00
const coin = await tx.coins.get(ocp.coinPub);
checkDbInvariant(!!coin, "coin must be in database");
2021-06-09 15:14:17 +02:00
const denom = await tx.denominations.get([
coin.exchangeBaseUrl,
2020-09-08 17:33:10 +02:00
coin.denomPubHash,
]);
checkDbInvariant(
!!denom,
"denomination for existing coin must be in database",
);
const refreshAmount = coin.currentAmount;
inputPerCoin.push(refreshAmount);
coin.currentAmount = Amounts.getZero(refreshAmount.currency);
coin.status = CoinStatus.Dormant;
2021-06-09 15:14:17 +02:00
await tx.coins.put(coin);
const denoms = await getDenoms(coin.exchangeBaseUrl);
const cost = getTotalRefreshCost(denoms, denom, refreshAmount);
const output = Amounts.sub(refreshAmount, cost).amount;
estimatedOutputPerCoin.push(output);
}
const refreshGroup: RefreshGroupRecord = {
2019-12-16 16:20:45 +01:00
timestampFinished: undefined,
2021-08-24 14:25:46 +02:00
statusPerCoin: oldCoinPubs.map(() => RefreshCoinStatus.Pending),
lastError: undefined,
2019-12-16 12:53:22 +01:00
lastErrorPerCoin: {},
2020-03-30 12:39:32 +02:00
oldCoinPubs: oldCoinPubs.map((x) => x.coinPub),
reason,
refreshGroupId,
2021-08-24 14:25:46 +02:00
refreshSessionPerCoin: oldCoinPubs.map(() => undefined),
retryInfo: initRetryInfo(),
inputPerCoin,
estimatedOutputPerCoin,
timestampCreated: getTimestampNow(),
};
if (oldCoinPubs.length == 0) {
logger.warn("created refresh group with zero coins");
refreshGroup.timestampFinished = getTimestampNow();
}
2021-06-09 15:14:17 +02:00
await tx.refreshGroups.put(refreshGroup);
2020-07-23 14:05:17 +02:00
logger.trace(`created refresh group ${refreshGroupId}`);
2020-07-23 14:05:17 +02:00
processRefreshGroup(ws, refreshGroupId).catch((e) => {
2021-11-24 01:57:11 +01:00
logger.warn(`processing refresh group ${refreshGroupId} failed: ${e}`);
});
return {
refreshGroupId,
};
}
2020-09-03 13:59:09 +02:00
2020-09-03 17:08:26 +02:00
/**
* Timestamp after which the wallet would do the next check for an auto-refresh.
*/
function getAutoRefreshCheckThreshold(d: DenominationRecord): Timestamp {
2020-09-04 08:34:11 +02:00
const delta = timestampDifference(
d.stampExpireWithdraw,
d.stampExpireDeposit,
);
2020-09-03 17:08:26 +02:00
const deltaDiv = durationMul(delta, 0.75);
return timestampAddDuration(d.stampExpireWithdraw, deltaDiv);
}
/**
* Timestamp after which the wallet would do an auto-refresh.
*/
function getAutoRefreshExecuteThreshold(d: DenominationRecord): Timestamp {
2020-09-04 08:34:11 +02:00
const delta = timestampDifference(
d.stampExpireWithdraw,
d.stampExpireDeposit,
);
2020-09-03 17:08:26 +02:00
const deltaDiv = durationMul(delta, 0.5);
return timestampAddDuration(d.stampExpireWithdraw, deltaDiv);
}
2020-09-03 13:59:09 +02:00
export async function autoRefresh(
ws: InternalWalletState,
exchangeBaseUrl: string,
2020-09-03 17:08:26 +02:00
): Promise<void> {
logger.info(`doing auto-refresh check for '${exchangeBaseUrl}'`);
2021-10-13 19:26:18 +02:00
await updateExchangeFromUrl(ws, exchangeBaseUrl, undefined, true);
let minCheckThreshold = timestampAddDuration(
getTimestampNow(),
durationFromSpec({ days: 1 }),
);
2021-06-09 15:14:17 +02:00
await ws.db
.mktx((x) => ({
coins: x.coins,
denominations: x.denominations,
refreshGroups: x.refreshGroups,
exchanges: x.exchanges,
}))
.runReadWrite(async (tx) => {
const exchange = await tx.exchanges.get(exchangeBaseUrl);
2020-09-03 17:08:26 +02:00
if (!exchange) {
return;
}
2021-06-09 15:14:17 +02:00
const coins = await tx.coins.indexes.byBaseUrl
.iter(exchangeBaseUrl)
2020-09-03 17:08:26 +02:00
.toArray();
const refreshCoins: CoinPublicKey[] = [];
for (const coin of coins) {
if (coin.status !== CoinStatus.Fresh) {
continue;
}
if (coin.suspended) {
continue;
}
2021-06-09 15:14:17 +02:00
const denom = await tx.denominations.get([
2020-09-03 17:08:26 +02:00
exchangeBaseUrl,
2020-09-08 17:33:10 +02:00
coin.denomPubHash,
2020-09-03 17:08:26 +02:00
]);
if (!denom) {
logger.warn("denomination not in database");
continue;
}
const executeThreshold = getAutoRefreshExecuteThreshold(denom);
if (isTimestampExpired(executeThreshold)) {
refreshCoins.push(coin);
} else {
const checkThreshold = getAutoRefreshCheckThreshold(denom);
minCheckThreshold = timestampMin(minCheckThreshold, checkThreshold);
2020-09-03 17:08:26 +02:00
}
}
if (refreshCoins.length > 0) {
const res = await createRefreshGroup(
ws,
tx,
refreshCoins,
RefreshReason.Scheduled,
);
logger.info(
`created refresh group for auto-refresh (${res.refreshGroupId})`,
);
2020-09-03 17:08:26 +02:00
}
logger.info(
`current wallet time: ${timestampToIsoString(getTimestampNow())}`,
);
logger.info(
`next refresh check at ${timestampToIsoString(minCheckThreshold)}`,
2020-09-03 17:08:26 +02:00
);
exchange.nextRefreshCheck = minCheckThreshold;
2021-06-09 15:14:17 +02:00
await tx.exchanges.put(exchange);
});
2020-09-03 17:08:26 +02:00
}