fix un-offered denom situation, test case almost works

This commit is contained in:
Florian Dold 2021-08-23 22:28:36 +02:00
parent 67e511d719
commit 828e65b0eb
No known key found for this signature in database
GPG Key ID: D2E4F00F29D02A4B
9 changed files with 217 additions and 20 deletions

View File

@ -838,12 +838,6 @@ export class ExchangeService implements ExchangeServiceInterface {
e.roundUnit ?? `${e.currency}:0.01`, e.roundUnit ?? `${e.currency}:0.01`,
); );
setTalerPaths(config, gc.testDir + "/talerhome"); setTalerPaths(config, gc.testDir + "/talerhome");
config.setString(
"exchange",
"keydir",
"${TALER_DATA_HOME}/exchange/live-keys/",
);
config.setString( config.setString(
"exchange", "exchange",
"revocation_dir", "revocation_dir",
@ -1078,6 +1072,23 @@ export class ExchangeService implements ExchangeServiceInterface {
); );
} }
async purgeSecmodKeys(): Promise<void> {
const cfg = Configuration.load(this.configFilename);
const rsaKeydir = cfg.getPath("taler-exchange-secmod-rsa", "KEY_DIR").required();
const eddsaKeydir = cfg.getPath("taler-exchange-secmod-eddsa", "KEY_DIR").required();
// Be *VERY* careful when changing this, or you will accidentally delete user data.
await sh(this.globalState, "rm-secmod-keys", `rm -rf ${rsaKeydir}/COIN_*`);
await sh(this.globalState, "rm-secmod-keys", `rm ${eddsaKeydir}/*`);
}
async purgeDatabase(): Promise<void> {
await sh(
this.globalState,
"exchange-dbinit",
`taler-exchange-dbinit -r -c "${this.configFilename}"`,
);
}
async start(): Promise<void> { async start(): Promise<void> {
if (this.isRunning()) { if (this.isRunning()) {
throw Error("exchange is already running"); throw Error("exchange is already running");
@ -1111,8 +1122,6 @@ export class ExchangeService implements ExchangeServiceInterface {
[ [
"-c", "-c",
this.configFilename, this.configFilename,
"--num-threads",
"1",
...this.timetravelArgArr, ...this.timetravelArgArr,
], ],
`exchange-httpd-${this.name}`, `exchange-httpd-${this.name}`,

View File

@ -0,0 +1,138 @@
/*
This file is part of GNU Taler
(C) 2021 Taler Systems S.A.
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/>
*/
/**
* Imports.
*/
import {
PreparePayResultType,
TalerErrorCode,
TalerErrorDetails,
TransactionType,
} from "@gnu-taler/taler-util";
import {
WalletApiOperation,
} from "@gnu-taler/taler-wallet-core";
import { makeEventId } from "@gnu-taler/taler-wallet-core";
import { GlobalTestState, MerchantPrivateApi } from "./harness";
import { createSimpleTestkudosEnvironment, withdrawViaBank } from "./helpers";
export async function runDenomUnofferedTest(t: GlobalTestState) {
// Set up test environment
const {
wallet,
bank,
exchange,
merchant,
} = await createSimpleTestkudosEnvironment(t);
// Withdraw digital cash into the wallet.
await withdrawViaBank(t, { wallet, bank, exchange, amount: "TESTKUDOS:20" });
// Make the exchange forget the denomination.
// Effectively we completely reset the exchange,
// but keep the exchange master public key.
await exchange.stop();
await exchange.purgeDatabase();
await exchange.purgeSecmodKeys();
await exchange.start();
await exchange.pingUntilAvailable();
await merchant.stop();
await merchant.start();
await merchant.pingUntilAvailable();
const order = {
summary: "Buy me!",
amount: "TESTKUDOS:5",
fulfillment_url: "taler://fulfillment-success/thx",
};
{
const orderResp = await MerchantPrivateApi.createOrder(
merchant,
"default",
{
order: order,
},
);
let orderStatus = await MerchantPrivateApi.queryPrivateOrderStatus(
merchant,
{
orderId: orderResp.order_id,
},
);
t.assertTrue(orderStatus.order_status === "unpaid");
// Make wallet pay for the order
const preparePayResult = await wallet.client.call(
WalletApiOperation.PreparePayForUri,
{
talerPayUri: orderStatus.taler_pay_uri,
},
);
t.assertTrue(
preparePayResult.status === PreparePayResultType.PaymentPossible,
);
const exc = await t.assertThrowsAsync(async () => {
await wallet.client.call(WalletApiOperation.ConfirmPay, {
proposalId: preparePayResult.proposalId,
});
});
const errorDetails: TalerErrorDetails = exc.operationError;
// FIXME: We might want a more specific error code here!
t.assertDeepEqual(
errorDetails.code,
TalerErrorCode.WALLET_UNEXPECTED_REQUEST_ERROR,
);
const merchantErrorCode = (errorDetails.details as any).errorResponse.code;
t.assertDeepEqual(
merchantErrorCode,
TalerErrorCode.MERCHANT_POST_ORDERS_ID_PAY_DENOMINATION_KEY_NOT_FOUND,
);
const purchId = makeEventId(TransactionType.Payment, preparePayResult.proposalId);
await wallet.client.call(WalletApiOperation.DeleteTransaction, {
transactionId: purchId,
});
// Now, delete the purchase and refresh operation.
}
await wallet.client.call(WalletApiOperation.AddExchange, {
exchangeBaseUrl: exchange.baseUrl,
forceUpdate: true,
});
// Now withdrawal should work again.
await withdrawViaBank(t, { wallet, bank, exchange, amount: "TESTKUDOS:20" });
await wallet.runUntilDone();
const txs = await wallet.client.call(WalletApiOperation.GetTransactions, {});
console.log(JSON.stringify(txs, undefined, 2));
}
runDenomUnofferedTest.suites = ["wallet"];

View File

@ -82,6 +82,7 @@ import { runPaymentForgettableTest } from "./test-payment-forgettable.js";
import { runPaymentZeroTest } from "./test-payment-zero.js"; import { runPaymentZeroTest } from "./test-payment-zero.js";
import { runMerchantSpecPublicOrdersTest } from "./test-merchant-spec-public-orders.js"; import { runMerchantSpecPublicOrdersTest } from "./test-merchant-spec-public-orders.js";
import { runExchangeTimetravelTest } from "./test-exchange-timetravel.js"; import { runExchangeTimetravelTest } from "./test-exchange-timetravel.js";
import { runDenomUnofferedTest } from "./test-denom-unoffered.js";
/** /**
* Test runner. * Test runner.
@ -101,6 +102,7 @@ const allTests: TestMainFunction[] = [
runBankApiTest, runBankApiTest,
runClaimLoopTest, runClaimLoopTest,
runDepositTest, runDepositTest,
runDenomUnofferedTest,
runExchangeManagementTest, runExchangeManagementTest,
runExchangeTimetravelTest, runExchangeTimetravelTest,
runFeeRegressionTest, runFeeRegressionTest,

View File

@ -963,9 +963,6 @@ export interface RefreshSessionRecord {
/** /**
* 512-bit secret that can be used to derive * 512-bit secret that can be used to derive
* the other cryptographic material for the refresh session. * the other cryptographic material for the refresh session.
*
* FIXME: We currently store the derived material, but
* should always derive it.
*/ */
sessionSecretSeed: string; sessionSecretSeed: string;

View File

@ -46,3 +46,4 @@ export * from "./wallet-api-types.js";
export * from "./wallet.js"; export * from "./wallet.js";
export * from "./operations/backup/index.js"; export * from "./operations/backup/index.js";
export { makeEventId } from "./operations/transactions.js";

View File

@ -153,6 +153,9 @@ async function downloadExchangeWithTermsOfService(
return { tosText, tosEtag }; return { tosText, tosEtag };
} }
/**
* Get exchange details from the database.
*/
export async function getExchangeDetails( export async function getExchangeDetails(
tx: GetReadOnlyAccess<{ tx: GetReadOnlyAccess<{
exchanges: typeof WalletStoresV1.exchanges; exchanges: typeof WalletStoresV1.exchanges;
@ -320,6 +323,7 @@ interface ExchangeKeysDownloadResult {
reserveClosingDelay: Duration; reserveClosingDelay: Duration;
expiry: Timestamp; expiry: Timestamp;
recoup: Recoup[]; recoup: Recoup[];
listIssueDate: Timestamp;
} }
/** /**
@ -392,6 +396,7 @@ async function downloadKeysInfo(
minDuration: durationFromSpec({ hours: 1 }), minDuration: durationFromSpec({ hours: 1 }),
}), }),
recoup: exchangeKeysJson.recoup ?? [], recoup: exchangeKeysJson.recoup ?? [],
listIssueDate: exchangeKeysJson.list_issue_date,
}; };
} }
@ -508,9 +513,9 @@ async function updateExchangeFromUrlImpl(
r.lastError = undefined; r.lastError = undefined;
r.retryInfo = initRetryInfo(); r.retryInfo = initRetryInfo();
r.lastUpdate = getTimestampNow(); r.lastUpdate = getTimestampNow();
(r.nextUpdate = keysInfo.expiry), r.nextUpdate = keysInfo.expiry;
// New denominations might be available. // New denominations might be available.
(r.nextRefreshCheck = getTimestampNow()); r.nextRefreshCheck = getTimestampNow();
r.detailsPointer = { r.detailsPointer = {
currency: details.currency, currency: details.currency,
masterPublicKey: details.masterPublicKey, masterPublicKey: details.masterPublicKey,
@ -521,17 +526,47 @@ async function updateExchangeFromUrlImpl(
await tx.exchangeDetails.put(details); await tx.exchangeDetails.put(details);
logger.trace("updating denominations in database"); logger.trace("updating denominations in database");
const currentDenomSet = new Set<string>(
keysInfo.currentDenominations.map((x) => x.denomPubHash),
);
for (const currentDenom of keysInfo.currentDenominations) { for (const currentDenom of keysInfo.currentDenominations) {
const oldDenom = await tx.denominations.get([ const oldDenom = await tx.denominations.get([
baseUrl, baseUrl,
currentDenom.denomPubHash, currentDenom.denomPubHash,
]); ]);
if (oldDenom) { if (oldDenom) {
// FIXME: Do consistency check // FIXME: Do consistency check, report to auditor if necessary.
} else { } else {
await tx.denominations.put(currentDenom); await tx.denominations.put(currentDenom);
} }
} }
// Update list issue date for all denominations,
// and mark non-offered denominations as such.
await tx.denominations.indexes.byExchangeBaseUrl
.iter(r.baseUrl)
.forEachAsync(async (x) => {
if (!currentDenomSet.has(x.denomPubHash)) {
// FIXME: Here, an auditor report should be created, unless
// the denomination is really legally expired.
if (x.isOffered) {
x.isOffered = false;
logger.info(
`setting denomination ${x.denomPubHash} to offered=false`,
);
}
} else {
x.listIssueDate = keysInfo.listIssueDate;
if (!x.isOffered) {
x.isOffered = true;
logger.info(
`setting denomination ${x.denomPubHash} to offered=true`,
);
}
}
await tx.denominations.put(x);
});
logger.trace("done updating denominations in database"); logger.trace("done updating denominations in database");
// Handle recoup // Handle recoup

View File

@ -211,6 +211,12 @@ function isSpendableCoin(coin: CoinRecord, denom: DenominationRecord): boolean {
if (coin.suspended) { if (coin.suspended) {
return false; return false;
} }
if (denom.isRevoked) {
return false;
}
if (!denom.isOffered) {
return false;
}
if (coin.status !== CoinStatus.Fresh) { if (coin.status !== CoinStatus.Fresh) {
return false; return false;
} }

View File

@ -505,7 +505,7 @@ export async function deleteTransaction(
const purchase = await tx.purchases.get(proposalId); const purchase = await tx.purchases.get(proposalId);
if (purchase) { if (purchase) {
found = true; found = true;
await tx.proposals.delete(proposalId); await tx.purchases.delete(proposalId);
} }
if (found) { if (found) {
await tx.tombstones.put({ await tx.tombstones.put({

View File

@ -158,8 +158,8 @@ interface ExchangeWithdrawDetails {
} }
/** /**
* Check if a denom is withdrawable based on the expiration time * Check if a denom is withdrawable based on the expiration time,
* and revocation state. * revocation and offered state.
*/ */
export function isWithdrawableDenom(d: DenominationRecord): boolean { export function isWithdrawableDenom(d: DenominationRecord): boolean {
const now = getTimestampNow(); const now = getTimestampNow();
@ -175,7 +175,7 @@ export function isWithdrawableDenom(d: DenominationRecord): boolean {
} }
const remaining = getDurationRemaining(lastPossibleWithdraw, now); const remaining = getDurationRemaining(lastPossibleWithdraw, now);
const stillOkay = remaining.d_ms !== 0; const stillOkay = remaining.d_ms !== 0;
return started && stillOkay && !d.isRevoked; return started && stillOkay && !d.isRevoked && d.isOffered;
} }
/** /**
@ -230,6 +230,14 @@ export function selectWithdrawalDenominations(
} }
} }
if (logger.shouldLogTrace()) {
logger.trace(`selected withdrawal denoms for ${Amounts.stringify(totalCoinValue)}`);
for (const sd of selectedDenoms) {
logger.trace(`denom_pub_hash=${sd.denom.denomPubHash}, count=${sd.count}`);
}
logger.trace("(end of withdrawal denom list)");
}
return { return {
selectedDenoms, selectedDenoms,
totalCoinValue, totalCoinValue,
@ -306,7 +314,8 @@ export async function getCandidateWithdrawalDenoms(
return await ws.db return await ws.db
.mktx((x) => ({ denominations: x.denominations })) .mktx((x) => ({ denominations: x.denominations }))
.runReadOnly(async (tx) => { .runReadOnly(async (tx) => {
return tx.denominations.indexes.byExchangeBaseUrl.getAll(exchangeBaseUrl); const allDenoms = await tx.denominations.indexes.byExchangeBaseUrl.getAll(exchangeBaseUrl);
return allDenoms.filter(isWithdrawableDenom);
}); });
} }