Skip to content

Commit d497913

Browse files
feat: introduce persistent cache for providers
- define a contract of the cache - enable chain history and utxo providers to use injected cache - create persistent cache storage - utilizing web extension storage - implementing the cache contract - having data envicting capability
1 parent 24061e8 commit d497913

File tree

11 files changed

+426
-18
lines changed

11 files changed

+426
-18
lines changed

packages/cardano-services-client/src/ChainHistoryProvider/BlockfrostChainHistoryProvider.ts

+15-6
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,7 @@ import {
2424
import { Logger } from 'ts-log';
2525
import omit from 'lodash/omit.js';
2626
import uniq from 'lodash/uniq.js';
27+
import type { Cache } from '@cardano-sdk/util';
2728
import type { Responses } from '@blockfrost/blockfrost-js';
2829
import type { Schemas } from '@blockfrost/blockfrost-js/lib/types/open-api';
2930

@@ -33,12 +34,20 @@ export const DB_MAX_SAFE_INTEGER = 2_147_483_647;
3334
type BlockfrostTx = Pick<Responses['address_transactions_content'][0], 'block_height' | 'tx_index'>;
3435
const compareTx = (a: BlockfrostTx, b: BlockfrostTx) => a.block_height - b.block_height || a.tx_index - b.tx_index;
3536

37+
type BlockfrostChainHistoryProviderDependencies = {
38+
cache: Cache<Cardano.HydratedTx>;
39+
client: BlockfrostClient;
40+
networkInfoProvider: NetworkInfoProvider;
41+
logger: Logger;
42+
};
43+
3644
export class BlockfrostChainHistoryProvider extends BlockfrostProvider implements ChainHistoryProvider {
37-
private readonly cache: Map<string, Cardano.HydratedTx> = new Map();
45+
private readonly cache: Cache<Cardano.HydratedTx>;
3846
private networkInfoProvider: NetworkInfoProvider;
3947

40-
constructor(client: BlockfrostClient, networkInfoProvider: NetworkInfoProvider, logger: Logger) {
48+
constructor({ cache, client, networkInfoProvider, logger }: BlockfrostChainHistoryProviderDependencies) {
4149
super(client, logger);
50+
this.cache = cache;
4251
this.networkInfoProvider = networkInfoProvider;
4352
}
4453

@@ -478,12 +487,12 @@ export class BlockfrostChainHistoryProvider extends BlockfrostProvider implement
478487
public async transactionsByHashes({ ids }: TransactionsByIdsArgs): Promise<Cardano.HydratedTx[]> {
479488
return Promise.all(
480489
ids.map(async (id) => {
481-
if (this.cache.has(id)) {
482-
return this.cache.get(id)!;
483-
}
490+
const cached = await this.cache.get(id);
491+
if (cached) return cached;
492+
484493
try {
485494
const fetchedTransaction = await this.fetchTransaction(id);
486-
this.cache.set(id, fetchedTransaction);
495+
void this.cache.set(id, fetchedTransaction);
487496
return fetchedTransaction;
488497
} catch (error) {
489498
throw this.toProviderError(error);

packages/cardano-services-client/src/UtxoProvider/BlockfrostUtxoProvider.ts

+18-6
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,22 @@
1-
import { BlockfrostProvider, BlockfrostToCore, fetchSequentially } from '../blockfrost';
1+
import { BlockfrostClient, BlockfrostProvider, BlockfrostToCore, fetchSequentially } from '../blockfrost';
22
import { Cardano, Serialization, UtxoByAddressesArgs, UtxoProvider } from '@cardano-sdk/core';
3+
import { Logger } from 'ts-log';
4+
import type { Cache } from '@cardano-sdk/util';
35
import type { Responses } from '@blockfrost/blockfrost-js';
46

7+
type BlockfrostUtxoProviderDependencies = {
8+
client: BlockfrostClient;
9+
cache: Cache<Cardano.Tx>;
10+
logger: Logger;
11+
};
12+
513
export class BlockfrostUtxoProvider extends BlockfrostProvider implements UtxoProvider {
6-
private readonly cache: Map<string, Cardano.Tx> = new Map();
14+
private readonly cache: Cache<Cardano.Tx>;
15+
16+
constructor({ cache, client, logger }: BlockfrostUtxoProviderDependencies) {
17+
super(client, logger);
18+
this.cache = cache;
19+
}
720

821
protected async fetchUtxos(addr: Cardano.PaymentAddress, paginationQueryString: string): Promise<Cardano.Utxo[]> {
922
const queryString = `addresses/${addr.toString()}/utxos?${paginationQueryString}`;
@@ -29,9 +42,8 @@ export class BlockfrostUtxoProvider extends BlockfrostProvider implements UtxoPr
2942
});
3043
}
3144
protected async fetchDetailsFromCBOR(hash: string) {
32-
if (this.cache.has(hash)) {
33-
return this.cache.get(hash);
34-
}
45+
const cached = await this.cache.get(hash);
46+
if (cached) return cached;
3547

3648
const result = await this.fetchCBOR(hash)
3749
.then((cbor) => {
@@ -48,7 +60,7 @@ export class BlockfrostUtxoProvider extends BlockfrostProvider implements UtxoPr
4860
return null;
4961
}
5062

51-
this.cache.set(hash, result);
63+
void this.cache.set(hash, result);
5264
return result;
5365
}
5466

packages/cardano-services-client/test/ChainHistoryProvider/BlockfrostChainHistoryProvider.test.ts

+17-1
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ import { Cardano, NetworkInfoProvider } from '@cardano-sdk/core';
33
import { Responses } from '@blockfrost/blockfrost-js';
44
import { dummyLogger as logger } from 'ts-log';
55
import { mockResponses } from '../util';
6+
import type { Cache } from '@cardano-sdk/util';
67

78
jest.mock('@blockfrost/blockfrost-js');
89

@@ -370,7 +371,22 @@ describe('blockfrostChainHistoryProvider', () => {
370371
}
371372
])
372373
} as unknown as NetworkInfoProvider;
373-
provider = new BlockfrostChainHistoryProvider(client, networkInfoProvider, logger);
374+
const cacheStorage = new Map();
375+
const cache: Cache<any> = {
376+
async get(key) {
377+
return cacheStorage.get(key);
378+
},
379+
async set(key, value) {
380+
cacheStorage.set(key, value);
381+
}
382+
};
383+
384+
provider = new BlockfrostChainHistoryProvider({
385+
cache,
386+
client,
387+
logger,
388+
networkInfoProvider
389+
});
374390
mockResponses(request, [
375391
[`txs/${txId1}/utxos`, txsUtxosResponse],
376392
[`txs/${txId1}`, mockedTx1Response],

packages/cardano-services-client/test/Utxo/BlockfrostUtxoProvider.test.ts

+23-3
Original file line numberDiff line numberDiff line change
@@ -3,6 +3,7 @@ import { Cardano } from '@cardano-sdk/core';
33
import { Responses } from '@blockfrost/blockfrost-js';
44
import { logger } from '@cardano-sdk/util-dev';
55
import { mockResponses } from '../util';
6+
import type { Cache } from '@cardano-sdk/util';
67
jest.mock('@blockfrost/blockfrost-js');
78

89
const generateUtxoResponseMock = (qty: number) =>
@@ -31,7 +32,21 @@ describe('blockfrostUtxoProvider', () => {
3132
beforeEach(async () => {
3233
request = jest.fn();
3334
const client = { request } as unknown as BlockfrostClient;
34-
provider = new BlockfrostUtxoProvider(client, logger);
35+
const cacheStorage = new Map();
36+
const cache: Cache<any> = {
37+
async get(key) {
38+
return cacheStorage.get(key);
39+
},
40+
async set(key, value) {
41+
cacheStorage.set(key, value);
42+
}
43+
};
44+
45+
provider = new BlockfrostUtxoProvider({
46+
cache,
47+
client,
48+
logger
49+
});
3550
address = Cardano.PaymentAddress(
3651
'addr_test1qz2fxv2umyhttkxyxp8x0dlpdt3k6cwng5pxj3jhsydzer3jcu5d8ps7zex2k2xt3uqxgjqnnj83ws8lhrn648jjxtwq2ytjqp'
3752
);
@@ -84,7 +99,12 @@ describe('blockfrostUtxoProvider', () => {
8499
const txHash = '0f3abbc8fc19c2e61bab6059bf8a466e6e754833a08a62a6c56fe0e78f19d9d5';
85100

86101
mockResponses(request, [
87-
[`txs/${txHash}/cbor`, 'mockedCBORData'],
102+
[
103+
`txs/${txHash}/cbor`,
104+
{
105+
cbor: '84a5008182582038685cff32e65bbf5be53e5478b2c9f91c686a663394484df2205d4733d19ad501018182583900bdb17d476dfdaa0d06b970a19e260fc97b9622fa7b85fc51205a552b3781e8276be4ebdaff285d7a29a144a4cf681af786f441cd8a6eea041a062a3a78021a0002a019031a049dea66048183098200581c3781e8276be4ebdaff285d7a29a144a4cf681af786f441cd8a6eea048102a10082825820518ab6ccb82cf0db3893dc532af0eb27bdfd68d696811ff5acf16c47d4792ab3584018f37f5f94397c10ab44d6d382a0abc83807ab8039b8bff3b172b5875d928cec5022f02d027e4077253a79910126562988c306c34f14dca9d79be4e1c6de940f82582076f79de7b22ea72556735ba30b49a6b176e03641d088f43b64ec299400d971b7584046f4ce5ee2d14ab15c38aa74063bf25c9481ceaec59f9cf55bc25f6aae20a3c8761db8f7e9621c5f6b3f5628c574f738c3c997f83210effd5790d54419254a0ef5f6'
106+
}
107+
],
88108
[`addresses/${address.toString()}/utxos?page=1&count=100`, generateUtxoResponseMock(1)],
89109
[`addresses/${address.toString()}/utxos?page=2&count=100`, generateUtxoResponseMock(0)]
90110
]);
@@ -101,7 +121,7 @@ describe('blockfrostUtxoProvider', () => {
101121

102122
expect(secondResponse).toEqual(firstResponse);
103123

104-
expect(request).not.toHaveBeenCalledWith(`txs/${txHash}/cbor`);
124+
expect(request).not.toHaveBeenCalledWith(`txs/${txHash}/cbor`, undefined);
105125
});
106126
});
107127
});

packages/cardano-services/src/Program/programs/providerServer.ts

+24-2
Original file line numberDiff line numberDiff line change
@@ -127,6 +127,18 @@ const selectProviderImplementation = <T extends Provider>(
127127
return selected;
128128
};
129129

130+
const createProviderCache = () => {
131+
const cache = new Map();
132+
return {
133+
async get(key: string) {
134+
return cache.get(key);
135+
},
136+
async set(key: string, val: any) {
137+
cache.set(key, val);
138+
}
139+
};
140+
};
141+
130142
const serviceMapFactory = (options: ServiceMapFactoryOptions) => {
131143
const { args, pools, dnsResolver, genesisData, logger, node } = options;
132144

@@ -298,7 +310,12 @@ const serviceMapFactory = (options: ServiceMapFactoryOptions) => {
298310

299311
const getBlockfrostAssetProvider = () => new BlockfrostAssetProvider(getBlockfrostClient(), logger);
300312

301-
const getBlockfrostUtxoProvider = () => new BlockfrostUtxoProvider(getBlockfrostClient(), logger);
313+
const getBlockfrostUtxoProvider = () =>
314+
new BlockfrostUtxoProvider({
315+
cache: createProviderCache(),
316+
client: getBlockfrostClient(),
317+
logger
318+
});
302319

303320
const getDbSyncUtxoProvider = withDbSyncProvider(
304321
(dbPools, cardanoNode) =>
@@ -344,7 +361,12 @@ const serviceMapFactory = (options: ServiceMapFactoryOptions) => {
344361
return networkInfoProvider;
345362
};
346363
const getBlockfrostChainHistoryProvider = (nInfoProvider: NetworkInfoProvider | DbSyncNetworkInfoProvider) =>
347-
new BlockfrostChainHistoryProvider(getBlockfrostClient(), nInfoProvider, logger);
364+
new BlockfrostChainHistoryProvider({
365+
cache: createProviderCache(),
366+
client: getBlockfrostClient(),
367+
logger,
368+
networkInfoProvider: nInfoProvider
369+
});
348370

349371
const getBlockfrostRewardsProvider = () => new BlockfrostRewardsProvider(getBlockfrostClient(), logger);
350372

packages/util/src/types.ts

+5
Original file line numberDiff line numberDiff line change
@@ -28,3 +28,8 @@ type Impossible<K extends keyof any> = {
2828
[P in K]: never;
2929
};
3030
export type NoExtraProperties<T, U> = U & Impossible<Exclude<keyof U, keyof T>>;
31+
32+
export type Cache<T> = {
33+
get(key: string): Promise<T | undefined>;
34+
set(key: string, value: T): Promise<void>;
35+
};

packages/web-extension/src/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -4,3 +4,4 @@ export * from './supplyDistributionTracker';
44
export * from './keyAgent';
55
export * from './walletManager';
66
export * as cip30 from './cip30';
7+
export * from './storage';
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
export * from './persistentCacheStorage';
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
import { makePersistentCacheStorageFactory } from './persistentCacheStorage';
2+
import { storage } from 'webextension-polyfill';
3+
4+
export const createPersistentCacheStorage = makePersistentCacheStorageFactory(storage.local, () => new Map());
5+
6+
export type CreatePersistentCacheStorage = typeof createPersistentCacheStorage;
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,113 @@
1+
import type { Storage } from 'webextension-polyfill';
2+
3+
type StorageLocal = Pick<Storage.StorageArea, 'get' | 'set' | 'remove'>;
4+
5+
type MetadataItem = {
6+
accessTime: number;
7+
};
8+
9+
export type Metadata = Record<string, MetadataItem>;
10+
11+
const sizeOfChunkToBePurged = 0.1;
12+
13+
export const makeMetadataKey = (resourceName: string) => `${resourceName}-metadata`;
14+
15+
export const makeItemKey = (resourceName: string, key: string) => `${resourceName}-item-${key}`;
16+
17+
const isGetBytesInUsePresent = (
18+
storageLocal: StorageLocal
19+
): storageLocal is StorageLocal & { getBytesInUse: (keys?: string | string[]) => Promise<number> } =>
20+
'getBytesInUse' in storageLocal;
21+
22+
export const makePersistentCacheStorageFactory =
23+
(extensionLocalStorage: StorageLocal, createVolatileCache: <T>() => Map<string, T>) =>
24+
<T>({
25+
fallbackMaxCollectionItemsGuard,
26+
resourceName,
27+
quotaInBytes
28+
}: {
29+
fallbackMaxCollectionItemsGuard: number;
30+
resourceName: string;
31+
quotaInBytes: number;
32+
}) => {
33+
const loaded = createVolatileCache<T>();
34+
const metadataKey = makeMetadataKey(resourceName);
35+
const getItemKey = (key: string) => makeItemKey(resourceName, key);
36+
37+
const getMetadata = async () => {
38+
const result = await extensionLocalStorage.get(metadataKey);
39+
return result[metadataKey] as Metadata;
40+
};
41+
42+
const updateAccessTime = async (key: string) => {
43+
const metadata = await getMetadata();
44+
const nextMetadata: Metadata = {
45+
...metadata,
46+
[key]: {
47+
accessTime: Date.now()
48+
}
49+
};
50+
await extensionLocalStorage.set({ [metadataKey]: nextMetadata });
51+
};
52+
53+
const isQuotaExceeded = async () => {
54+
const metadata = await getMetadata();
55+
const allCollectionKeys = [metadataKey, ...Object.keys(metadata)];
56+
57+
// Polyfill we use does not list the getBytesInUse method but that method exists in chrome API
58+
if (isGetBytesInUsePresent(extensionLocalStorage)) {
59+
console.log('allCollectionKeys', allCollectionKeys);
60+
const bytesInUse = await extensionLocalStorage.getBytesInUse(allCollectionKeys);
61+
return bytesInUse > quotaInBytes;
62+
}
63+
64+
return allCollectionKeys.length > fallbackMaxCollectionItemsGuard;
65+
};
66+
67+
const evict = async () => {
68+
let metadata = await getMetadata();
69+
const mostDatedKeysToPurge = Object.entries(metadata)
70+
.map(([key, { accessTime }]) => ({ accessTime, key }))
71+
.sort((a, b) => a.accessTime - b.accessTime)
72+
.filter((_, index, self) => {
73+
const numberOfItemsToPurge = Math.abs(self.length * sizeOfChunkToBePurged);
74+
return index < numberOfItemsToPurge;
75+
})
76+
.map((i) => i.key);
77+
78+
await extensionLocalStorage.remove(mostDatedKeysToPurge);
79+
metadata = await getMetadata();
80+
for (const key of mostDatedKeysToPurge) {
81+
delete metadata[key];
82+
}
83+
await extensionLocalStorage.set({ [metadataKey]: metadata });
84+
};
85+
86+
return {
87+
async get(key: string) {
88+
const itemKey = getItemKey(key);
89+
90+
let value = loaded.get(itemKey);
91+
if (!value) {
92+
const result = await extensionLocalStorage.get(itemKey);
93+
value = result[itemKey];
94+
}
95+
96+
if (value) {
97+
void updateAccessTime(itemKey);
98+
}
99+
100+
return value;
101+
},
102+
async set(key: string, value: T) {
103+
const itemKey = getItemKey(key);
104+
loaded.set(itemKey, value);
105+
await extensionLocalStorage.set({ [itemKey]: value });
106+
107+
void (async () => {
108+
await updateAccessTime(itemKey);
109+
if (await isQuotaExceeded()) await evict();
110+
})();
111+
}
112+
};
113+
};

0 commit comments

Comments
 (0)