@hazeljs/cache 0.2.0-beta.1

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (51) hide show
  1. package/README.md +523 -0
  2. package/dist/cache.module.d.ts +81 -0
  3. package/dist/cache.module.d.ts.map +1 -0
  4. package/dist/cache.module.js +111 -0
  5. package/dist/cache.service.d.ts +109 -0
  6. package/dist/cache.service.d.ts.map +1 -0
  7. package/dist/cache.service.js +263 -0
  8. package/dist/cache.types.d.ts +180 -0
  9. package/dist/cache.types.d.ts.map +1 -0
  10. package/dist/cache.types.js +2 -0
  11. package/dist/decorators/cache.decorator.d.ts +93 -0
  12. package/dist/decorators/cache.decorator.d.ts.map +1 -0
  13. package/dist/decorators/cache.decorator.js +155 -0
  14. package/dist/index.d.ts +11 -0
  15. package/dist/index.d.ts.map +1 -0
  16. package/dist/index.js +26 -0
  17. package/dist/src/cache.module.d.ts +81 -0
  18. package/dist/src/cache.module.d.ts.map +1 -0
  19. package/dist/src/cache.module.js +111 -0
  20. package/dist/src/cache.service.d.ts +109 -0
  21. package/dist/src/cache.service.d.ts.map +1 -0
  22. package/dist/src/cache.service.js +263 -0
  23. package/dist/src/cache.types.d.ts +180 -0
  24. package/dist/src/cache.types.d.ts.map +1 -0
  25. package/dist/src/cache.types.js +2 -0
  26. package/dist/src/decorators/cache.decorator.d.ts +93 -0
  27. package/dist/src/decorators/cache.decorator.d.ts.map +1 -0
  28. package/dist/src/decorators/cache.decorator.js +155 -0
  29. package/dist/src/index.d.ts +11 -0
  30. package/dist/src/index.d.ts.map +1 -0
  31. package/dist/src/index.js +26 -0
  32. package/dist/src/strategies/memory.strategy.d.ts +73 -0
  33. package/dist/src/strategies/memory.strategy.d.ts.map +1 -0
  34. package/dist/src/strategies/memory.strategy.js +236 -0
  35. package/dist/src/strategies/multi-tier.strategy.d.ts +69 -0
  36. package/dist/src/strategies/multi-tier.strategy.d.ts.map +1 -0
  37. package/dist/src/strategies/multi-tier.strategy.js +154 -0
  38. package/dist/src/strategies/redis.strategy.d.ts +61 -0
  39. package/dist/src/strategies/redis.strategy.d.ts.map +1 -0
  40. package/dist/src/strategies/redis.strategy.js +185 -0
  41. package/dist/strategies/memory.strategy.d.ts +73 -0
  42. package/dist/strategies/memory.strategy.d.ts.map +1 -0
  43. package/dist/strategies/memory.strategy.js +236 -0
  44. package/dist/strategies/multi-tier.strategy.d.ts +69 -0
  45. package/dist/strategies/multi-tier.strategy.d.ts.map +1 -0
  46. package/dist/strategies/multi-tier.strategy.js +154 -0
  47. package/dist/strategies/redis.strategy.d.ts +61 -0
  48. package/dist/strategies/redis.strategy.d.ts.map +1 -0
  49. package/dist/strategies/redis.strategy.js +185 -0
  50. package/dist/tsconfig.tsbuildinfo +1 -0
  51. package/package.json +47 -0
@@ -0,0 +1,185 @@
1
+ "use strict";
2
+ var __importDefault = (this && this.__importDefault) || function (mod) {
3
+ return (mod && mod.__esModule) ? mod : { "default": mod };
4
+ };
5
+ Object.defineProperty(exports, "__esModule", { value: true });
6
+ exports.RedisCacheStore = void 0;
7
+ const core_1 = __importDefault(require("@hazeljs/core"));
8
+ /**
9
+ * Redis cache store implementation
10
+ * Note: This is a mock implementation. In production, you would use a real Redis client like ioredis
11
+ */
12
+ class RedisCacheStore {
13
+ constructor(options) {
14
+ this.options = options;
15
+ this.mockStore = new Map();
16
+ this.tagIndex = new Map();
17
+ this.stats = {
18
+ hits: 0,
19
+ misses: 0,
20
+ };
21
+ core_1.default.info('Redis cache store initialized (mock mode)');
22
+ // In production, initialize real Redis client here
23
+ // this.client = new Redis(options);
24
+ }
25
+ /**
26
+ * Get a value from cache
27
+ */
28
+ async get(key) {
29
+ const entry = this.mockStore.get(key);
30
+ if (!entry) {
31
+ this.stats.misses++;
32
+ core_1.default.debug(`Redis cache miss: ${key}`);
33
+ return null;
34
+ }
35
+ // Check if expired
36
+ if (Date.now() > entry.expiresAt) {
37
+ this.mockStore.delete(key);
38
+ this.stats.misses++;
39
+ core_1.default.debug(`Redis cache expired: ${key}`);
40
+ return null;
41
+ }
42
+ this.stats.hits++;
43
+ core_1.default.debug(`Redis cache hit: ${key}`);
44
+ try {
45
+ return JSON.parse(entry.value);
46
+ }
47
+ catch (error) {
48
+ core_1.default.error(`Failed to parse cached value for key ${key}:`, error);
49
+ return null;
50
+ }
51
+ }
52
+ /**
53
+ * Set a value in cache
54
+ */
55
+ async set(key, value, ttl = 3600) {
56
+ const serialized = JSON.stringify(value);
57
+ const expiresAt = Date.now() + ttl * 1000;
58
+ this.mockStore.set(key, { value: serialized, expiresAt });
59
+ core_1.default.debug(`Redis cache set: ${key} (TTL: ${ttl}s)`);
60
+ // In production:
61
+ // await this.client.setex(key, ttl, serialized);
62
+ }
63
+ /**
64
+ * Set a value with tags
65
+ */
66
+ async setWithTags(key, value, ttl, tags) {
67
+ await this.set(key, value, ttl);
68
+ // Update tag index
69
+ if (tags) {
70
+ for (const tag of tags) {
71
+ if (!this.tagIndex.has(tag)) {
72
+ this.tagIndex.set(tag, new Set());
73
+ }
74
+ this.tagIndex.get(tag).add(key);
75
+ // In production, use Redis sets:
76
+ // await this.client.sadd(`tag:${tag}`, key);
77
+ }
78
+ }
79
+ core_1.default.debug(`Redis cache set with tags: ${key} (TTL: ${ttl}s, Tags: ${tags?.join(', ')})`);
80
+ }
81
+ /**
82
+ * Delete a value from cache
83
+ */
84
+ async delete(key) {
85
+ this.mockStore.delete(key);
86
+ core_1.default.debug(`Redis cache deleted: ${key}`);
87
+ // In production:
88
+ // await this.client.del(key);
89
+ }
90
+ /**
91
+ * Delete entries by tag
92
+ */
93
+ async deleteByTag(tag) {
94
+ const keys = this.tagIndex.get(tag);
95
+ if (!keys) {
96
+ return;
97
+ }
98
+ for (const key of keys) {
99
+ await this.delete(key);
100
+ }
101
+ this.tagIndex.delete(tag);
102
+ core_1.default.debug(`Redis cache invalidated by tag: ${tag} (${keys.size} entries)`);
103
+ // In production:
104
+ // const keys = await this.client.smembers(`tag:${tag}`);
105
+ // if (keys.length > 0) {
106
+ // await this.client.del(...keys);
107
+ // await this.client.del(`tag:${tag}`);
108
+ // }
109
+ }
110
+ /**
111
+ * Check if key exists in cache
112
+ */
113
+ async has(key) {
114
+ const entry = this.mockStore.get(key);
115
+ if (!entry) {
116
+ return false;
117
+ }
118
+ // Check if expired
119
+ if (Date.now() > entry.expiresAt) {
120
+ this.mockStore.delete(key);
121
+ return false;
122
+ }
123
+ return true;
124
+ // In production:
125
+ // return (await this.client.exists(key)) === 1;
126
+ }
127
+ /**
128
+ * Clear all cache entries
129
+ */
130
+ async clear() {
131
+ this.mockStore.clear();
132
+ this.tagIndex.clear();
133
+ core_1.default.info('Redis cache cleared');
134
+ // In production:
135
+ // await this.client.flushdb();
136
+ }
137
+ /**
138
+ * Get all keys matching a pattern
139
+ */
140
+ async keys(pattern) {
141
+ const allKeys = Array.from(this.mockStore.keys());
142
+ if (!pattern) {
143
+ return allKeys;
144
+ }
145
+ // Simple pattern matching
146
+ const regex = new RegExp('^' + pattern.replace(/\*/g, '.*') + '$');
147
+ return allKeys.filter((key) => regex.test(key));
148
+ // In production:
149
+ // return await this.client.keys(pattern || '*');
150
+ }
151
+ /**
152
+ * Get cache statistics
153
+ */
154
+ async getStats() {
155
+ const total = this.stats.hits + this.stats.misses;
156
+ const hitRate = total > 0 ? (this.stats.hits / total) * 100 : 0;
157
+ return {
158
+ hits: this.stats.hits,
159
+ misses: this.stats.misses,
160
+ hitRate: Math.round(hitRate * 100) / 100,
161
+ size: this.mockStore.size,
162
+ };
163
+ // In production:
164
+ // const info = await this.client.info('stats');
165
+ // Parse info and return stats
166
+ }
167
+ /**
168
+ * Reset statistics
169
+ */
170
+ resetStats() {
171
+ this.stats.hits = 0;
172
+ this.stats.misses = 0;
173
+ }
174
+ /**
175
+ * Disconnect from Redis
176
+ */
177
+ async disconnect() {
178
+ this.mockStore.clear();
179
+ this.tagIndex.clear();
180
+ core_1.default.info('Redis cache disconnected');
181
+ // In production:
182
+ // await this.client.quit();
183
+ }
184
+ }
185
+ exports.RedisCacheStore = RedisCacheStore;
@@ -0,0 +1,73 @@
1
+ import { ICacheStore, CacheStats } from '../cache.types';
2
+ /**
3
+ * In-memory cache store implementation
4
+ */
5
+ export declare class MemoryCacheStore implements ICacheStore {
6
+ private cleanupIntervalMs;
7
+ private cache;
8
+ private tagIndex;
9
+ private stats;
10
+ private cleanupInterval?;
11
+ constructor(cleanupIntervalMs?: number);
12
+ /**
13
+ * Get a value from cache
14
+ */
15
+ get<T>(key: string): Promise<T | null>;
16
+ /**
17
+ * Set a value in cache
18
+ */
19
+ set<T>(key: string, value: T, ttl?: number): Promise<void>;
20
+ /**
21
+ * Set a value with tags
22
+ */
23
+ setWithTags<T>(key: string, value: T, ttl: number, tags?: string[]): Promise<void>;
24
+ /**
25
+ * Delete a value from cache
26
+ */
27
+ delete(key: string): Promise<void>;
28
+ /**
29
+ * Delete entries by tag
30
+ */
31
+ deleteByTag(tag: string): Promise<void>;
32
+ /**
33
+ * Check if key exists in cache
34
+ */
35
+ has(key: string): Promise<boolean>;
36
+ /**
37
+ * Clear all cache entries
38
+ */
39
+ clear(): Promise<void>;
40
+ /**
41
+ * Get all keys matching a pattern
42
+ */
43
+ keys(pattern?: string): Promise<string[]>;
44
+ /**
45
+ * Get cache statistics
46
+ */
47
+ getStats(): Promise<CacheStats>;
48
+ /**
49
+ * Reset statistics
50
+ */
51
+ resetStats(): void;
52
+ /**
53
+ * Start cleanup interval
54
+ */
55
+ private startCleanup;
56
+ /**
57
+ * Stop cleanup interval
58
+ */
59
+ stopCleanup(): void;
60
+ /**
61
+ * Cleanup expired entries
62
+ */
63
+ private cleanup;
64
+ /**
65
+ * Remove key from tag index
66
+ */
67
+ private removeFromTagIndex;
68
+ /**
69
+ * Destroy the cache store
70
+ */
71
+ destroy(): void;
72
+ }
73
+ //# sourceMappingURL=memory.strategy.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"memory.strategy.d.ts","sourceRoot":"","sources":["../../src/strategies/memory.strategy.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,WAAW,EAAc,UAAU,EAAE,MAAM,gBAAgB,CAAC;AAGrE;;GAEG;AACH,qBAAa,gBAAiB,YAAW,WAAW;IAStC,OAAO,CAAC,iBAAiB;IARrC,OAAO,CAAC,KAAK,CAAsC;IACnD,OAAO,CAAC,QAAQ,CAAuC;IACvD,OAAO,CAAC,KAAK,CAGX;IACF,OAAO,CAAC,eAAe,CAAC,CAAiB;gBAErB,iBAAiB,GAAE,MAAc;IAIrD;;OAEG;IACG,GAAG,CAAC,CAAC,EAAE,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,CAAC,GAAG,IAAI,CAAC;IA4B5C;;OAEG;IACG,GAAG,CAAC,CAAC,EAAE,GAAG,EAAE,MAAM,EAAE,KAAK,EAAE,CAAC,EAAE,GAAG,GAAE,MAAa,GAAG,OAAO,CAAC,IAAI,CAAC;IActE;;OAEG;IACG,WAAW,CAAC,CAAC,EAAE,GAAG,EAAE,MAAM,EAAE,KAAK,EAAE,CAAC,EAAE,GAAG,EAAE,MAAM,EAAE,IAAI,CAAC,EAAE,MAAM,EAAE,GAAG,OAAO,CAAC,IAAI,CAAC;IA0BxF;;OAEG;IACG,MAAM,CAAC,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,IAAI,CAAC;IASxC;;OAEG;IACG,WAAW,CAAC,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,IAAI,CAAC;IAc7C;;OAEG;IACG,GAAG,CAAC,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,OAAO,CAAC;IAgBxC;;OAEG;IACG,KAAK,IAAI,OAAO,CAAC,IAAI,CAAC;IAM5B;;OAEG;IACG,IAAI,CAAC,OAAO,CAAC,EAAE,MAAM,GAAG,OAAO,CAAC,MAAM,EAAE,CAAC;IAY/C;;OAEG;IACG,QAAQ,IAAI,OAAO,CAAC,UAAU,CAAC;IAoBrC;;OAEG;IACH,UAAU,IAAI,IAAI;IAKlB;;OAEG;IACH,OAAO,CAAC,YAAY;IAMpB;;OAEG;IACH,WAAW,IAAI,IAAI;IAOnB;;OAEG;IACH,OAAO,CAAC,OAAO;IAiBf;;OAEG;IACH,OAAO,CAAC,kBAAkB;IAgB1B;;OAEG;IACH,OAAO,IAAI,IAAI;CAKhB"}
@@ -0,0 +1,236 @@
1
+ "use strict";
2
+ var __importDefault = (this && this.__importDefault) || function (mod) {
3
+ return (mod && mod.__esModule) ? mod : { "default": mod };
4
+ };
5
+ Object.defineProperty(exports, "__esModule", { value: true });
6
+ exports.MemoryCacheStore = void 0;
7
+ const core_1 = __importDefault(require("@hazeljs/core"));
8
+ /**
9
+ * In-memory cache store implementation
10
+ */
11
+ class MemoryCacheStore {
12
+ constructor(cleanupIntervalMs = 60000) {
13
+ this.cleanupIntervalMs = cleanupIntervalMs;
14
+ this.cache = new Map();
15
+ this.tagIndex = new Map();
16
+ this.stats = {
17
+ hits: 0,
18
+ misses: 0,
19
+ };
20
+ this.startCleanup();
21
+ }
22
+ /**
23
+ * Get a value from cache
24
+ */
25
+ async get(key) {
26
+ const entry = this.cache.get(key);
27
+ if (!entry) {
28
+ this.stats.misses++;
29
+ core_1.default.debug(`Cache miss: ${key}`);
30
+ return null;
31
+ }
32
+ // Check if expired
33
+ if (Date.now() > entry.expiresAt) {
34
+ this.cache.delete(key);
35
+ this.removeFromTagIndex(key, entry.tags);
36
+ this.stats.misses++;
37
+ core_1.default.debug(`Cache expired: ${key}`);
38
+ return null;
39
+ }
40
+ // Update last accessed for sliding TTL
41
+ if (entry.lastAccessedAt !== undefined) {
42
+ entry.lastAccessedAt = Date.now();
43
+ }
44
+ this.stats.hits++;
45
+ core_1.default.debug(`Cache hit: ${key}`);
46
+ return entry.value;
47
+ }
48
+ /**
49
+ * Set a value in cache
50
+ */
51
+ async set(key, value, ttl = 3600) {
52
+ const now = Date.now();
53
+ const entry = {
54
+ value,
55
+ key,
56
+ cachedAt: now,
57
+ expiresAt: now + ttl * 1000,
58
+ lastAccessedAt: now,
59
+ };
60
+ this.cache.set(key, entry);
61
+ core_1.default.debug(`Cache set: ${key} (TTL: ${ttl}s)`);
62
+ }
63
+ /**
64
+ * Set a value with tags
65
+ */
66
+ async setWithTags(key, value, ttl, tags) {
67
+ const now = Date.now();
68
+ const entry = {
69
+ value,
70
+ key,
71
+ cachedAt: now,
72
+ expiresAt: now + ttl * 1000,
73
+ lastAccessedAt: now,
74
+ tags,
75
+ };
76
+ this.cache.set(key, entry);
77
+ // Update tag index
78
+ if (tags) {
79
+ tags.forEach((tag) => {
80
+ if (!this.tagIndex.has(tag)) {
81
+ this.tagIndex.set(tag, new Set());
82
+ }
83
+ this.tagIndex.get(tag).add(key);
84
+ });
85
+ }
86
+ core_1.default.debug(`Cache set with tags: ${key} (TTL: ${ttl}s, Tags: ${tags?.join(', ')})`);
87
+ }
88
+ /**
89
+ * Delete a value from cache
90
+ */
91
+ async delete(key) {
92
+ const entry = this.cache.get(key);
93
+ if (entry) {
94
+ this.removeFromTagIndex(key, entry.tags);
95
+ }
96
+ this.cache.delete(key);
97
+ core_1.default.debug(`Cache deleted: ${key}`);
98
+ }
99
+ /**
100
+ * Delete entries by tag
101
+ */
102
+ async deleteByTag(tag) {
103
+ const keys = this.tagIndex.get(tag);
104
+ if (!keys) {
105
+ return;
106
+ }
107
+ for (const key of keys) {
108
+ await this.delete(key);
109
+ }
110
+ this.tagIndex.delete(tag);
111
+ core_1.default.debug(`Cache invalidated by tag: ${tag} (${keys.size} entries)`);
112
+ }
113
+ /**
114
+ * Check if key exists in cache
115
+ */
116
+ async has(key) {
117
+ const entry = this.cache.get(key);
118
+ if (!entry) {
119
+ return false;
120
+ }
121
+ // Check if expired
122
+ if (Date.now() > entry.expiresAt) {
123
+ this.cache.delete(key);
124
+ this.removeFromTagIndex(key, entry.tags);
125
+ return false;
126
+ }
127
+ return true;
128
+ }
129
+ /**
130
+ * Clear all cache entries
131
+ */
132
+ async clear() {
133
+ this.cache.clear();
134
+ this.tagIndex.clear();
135
+ core_1.default.info('Cache cleared');
136
+ }
137
+ /**
138
+ * Get all keys matching a pattern
139
+ */
140
+ async keys(pattern) {
141
+ const allKeys = Array.from(this.cache.keys());
142
+ if (!pattern) {
143
+ return allKeys;
144
+ }
145
+ // Simple pattern matching (supports * wildcard)
146
+ const regex = new RegExp('^' + pattern.replace(/\*/g, '.*') + '$');
147
+ return allKeys.filter((key) => regex.test(key));
148
+ }
149
+ /**
150
+ * Get cache statistics
151
+ */
152
+ async getStats() {
153
+ const total = this.stats.hits + this.stats.misses;
154
+ const hitRate = total > 0 ? (this.stats.hits / total) * 100 : 0;
155
+ // Calculate approximate memory usage
156
+ let memoryUsage = 0;
157
+ for (const entry of this.cache.values()) {
158
+ const entrySize = JSON.stringify(entry.value).length;
159
+ memoryUsage += entrySize;
160
+ }
161
+ return {
162
+ hits: this.stats.hits,
163
+ misses: this.stats.misses,
164
+ hitRate: Math.round(hitRate * 100) / 100,
165
+ size: this.cache.size,
166
+ memoryUsage,
167
+ };
168
+ }
169
+ /**
170
+ * Reset statistics
171
+ */
172
+ resetStats() {
173
+ this.stats.hits = 0;
174
+ this.stats.misses = 0;
175
+ }
176
+ /**
177
+ * Start cleanup interval
178
+ */
179
+ startCleanup() {
180
+ this.cleanupInterval = setInterval(() => {
181
+ this.cleanup();
182
+ }, this.cleanupIntervalMs);
183
+ }
184
+ /**
185
+ * Stop cleanup interval
186
+ */
187
+ stopCleanup() {
188
+ if (this.cleanupInterval) {
189
+ clearInterval(this.cleanupInterval);
190
+ this.cleanupInterval = undefined;
191
+ }
192
+ }
193
+ /**
194
+ * Cleanup expired entries
195
+ */
196
+ cleanup() {
197
+ const now = Date.now();
198
+ let expiredCount = 0;
199
+ for (const [key, entry] of this.cache.entries()) {
200
+ if (now > entry.expiresAt) {
201
+ this.cache.delete(key);
202
+ this.removeFromTagIndex(key, entry.tags);
203
+ expiredCount++;
204
+ }
205
+ }
206
+ if (expiredCount > 0) {
207
+ core_1.default.debug(`Cleaned up ${expiredCount} expired cache entries`);
208
+ }
209
+ }
210
+ /**
211
+ * Remove key from tag index
212
+ */
213
+ removeFromTagIndex(key, tags) {
214
+ if (!tags) {
215
+ return;
216
+ }
217
+ tags.forEach((tag) => {
218
+ const keys = this.tagIndex.get(tag);
219
+ if (keys) {
220
+ keys.delete(key);
221
+ if (keys.size === 0) {
222
+ this.tagIndex.delete(tag);
223
+ }
224
+ }
225
+ });
226
+ }
227
+ /**
228
+ * Destroy the cache store
229
+ */
230
+ destroy() {
231
+ this.stopCleanup();
232
+ this.cache.clear();
233
+ this.tagIndex.clear();
234
+ }
235
+ }
236
+ exports.MemoryCacheStore = MemoryCacheStore;
@@ -0,0 +1,69 @@
1
+ import { ICacheStore, CacheStats } from '../cache.types';
2
+ /**
3
+ * Multi-tier cache store implementation
4
+ * Uses memory cache as L1 and Redis as L2
5
+ */
6
+ export declare class MultiTierCacheStore implements ICacheStore {
7
+ private l1Cache;
8
+ private l2Cache;
9
+ constructor(options?: {
10
+ redis?: {
11
+ host?: string;
12
+ port?: number;
13
+ password?: string;
14
+ };
15
+ });
16
+ /**
17
+ * Get a value from cache (L1 first, then L2)
18
+ */
19
+ get<T>(key: string): Promise<T | null>;
20
+ /**
21
+ * Set a value in cache (both L1 and L2)
22
+ */
23
+ set<T>(key: string, value: T, ttl?: number): Promise<void>;
24
+ /**
25
+ * Set a value with tags
26
+ */
27
+ setWithTags<T>(key: string, value: T, ttl: number, tags?: string[]): Promise<void>;
28
+ /**
29
+ * Delete a value from cache (both L1 and L2)
30
+ */
31
+ delete(key: string): Promise<void>;
32
+ /**
33
+ * Delete entries by tag
34
+ */
35
+ deleteByTag(tag: string): Promise<void>;
36
+ /**
37
+ * Check if key exists in cache
38
+ */
39
+ has(key: string): Promise<boolean>;
40
+ /**
41
+ * Clear all cache entries
42
+ */
43
+ clear(): Promise<void>;
44
+ /**
45
+ * Get all keys matching a pattern
46
+ */
47
+ keys(pattern?: string): Promise<string[]>;
48
+ /**
49
+ * Get cache statistics
50
+ */
51
+ getStats(): Promise<CacheStats>;
52
+ /**
53
+ * Get L1 cache statistics
54
+ */
55
+ getL1Stats(): Promise<CacheStats>;
56
+ /**
57
+ * Get L2 cache statistics
58
+ */
59
+ getL2Stats(): Promise<CacheStats>;
60
+ /**
61
+ * Reset statistics
62
+ */
63
+ resetStats(): void;
64
+ /**
65
+ * Destroy the cache store
66
+ */
67
+ destroy(): Promise<void>;
68
+ }
69
+ //# sourceMappingURL=multi-tier.strategy.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"multi-tier.strategy.d.ts","sourceRoot":"","sources":["../../src/strategies/multi-tier.strategy.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,WAAW,EAAE,UAAU,EAAE,MAAM,gBAAgB,CAAC;AAKzD;;;GAGG;AACH,qBAAa,mBAAoB,YAAW,WAAW;IACrD,OAAO,CAAC,OAAO,CAAmB;IAClC,OAAO,CAAC,OAAO,CAAkB;gBAErB,OAAO,CAAC,EAAE;QAAE,KAAK,CAAC,EAAE;YAAE,IAAI,CAAC,EAAE,MAAM,CAAC;YAAC,IAAI,CAAC,EAAE,MAAM,CAAC;YAAC,QAAQ,CAAC,EAAE,MAAM,CAAA;SAAE,CAAA;KAAE;IAMrF;;OAEG;IACG,GAAG,CAAC,CAAC,EAAE,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,CAAC,GAAG,IAAI,CAAC;IAqB5C;;OAEG;IACG,GAAG,CAAC,CAAC,EAAE,GAAG,EAAE,MAAM,EAAE,KAAK,EAAE,CAAC,EAAE,GAAG,GAAE,MAAa,GAAG,OAAO,CAAC,IAAI,CAAC;IAUtE;;OAEG;IACG,WAAW,CAAC,CAAC,EAAE,GAAG,EAAE,MAAM,EAAE,KAAK,EAAE,CAAC,EAAE,GAAG,EAAE,MAAM,EAAE,IAAI,CAAC,EAAE,MAAM,EAAE,GAAG,OAAO,CAAC,IAAI,CAAC;IAWxF;;OAEG;IACG,MAAM,CAAC,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,IAAI,CAAC;IAMxC;;OAEG;IACG,WAAW,CAAC,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,IAAI,CAAC;IAM7C;;OAEG;IACG,GAAG,CAAC,GAAG,EAAE,MAAM,GAAG,OAAO,CAAC,OAAO,CAAC;IASxC;;OAEG;IACG,KAAK,IAAI,OAAO,CAAC,IAAI,CAAC;IAM5B;;OAEG;IACG,IAAI,CAAC,OAAO,CAAC,EAAE,MAAM,GAAG,OAAO,CAAC,MAAM,EAAE,CAAC;IAW/C;;OAEG;IACG,QAAQ,IAAI,OAAO,CAAC,UAAU,CAAC;IAqBrC;;OAEG;IACG,UAAU,IAAI,OAAO,CAAC,UAAU,CAAC;IAIvC;;OAEG;IACG,UAAU,IAAI,OAAO,CAAC,UAAU,CAAC;IAIvC;;OAEG;IACH,UAAU,IAAI,IAAI;IAKlB;;OAEG;IACG,OAAO,IAAI,OAAO,CAAC,IAAI,CAAC;CAK/B"}