Assist_Design/apps/bff/src/common/cache/cache.service.ts

56 lines
1.5 KiB
TypeScript
Raw Normal View History

2025-08-22 17:02:49 +09:00
import { Inject, Injectable } from "@nestjs/common";
import Redis from "ioredis";
import { Logger } from "nestjs-pino";
@Injectable()
2025-08-21 15:24:40 +09:00
export class CacheService {
constructor(
2025-08-22 17:02:49 +09:00
@Inject("REDIS_CLIENT") private readonly redis: Redis,
@Inject(Logger) private readonly logger: Logger
2025-08-21 15:24:40 +09:00
) {}
async get<T>(key: string): Promise<T | null> {
const value = await this.redis.get(key);
2025-08-21 15:24:40 +09:00
return value ? (JSON.parse(value) as T) : null;
}
2025-08-21 15:24:40 +09:00
async set(key: string, value: unknown, ttlSeconds?: number): Promise<void> {
const serialized = JSON.stringify(value);
if (ttlSeconds) {
await this.redis.setex(key, ttlSeconds, serialized);
} else {
await this.redis.set(key, serialized);
}
}
async del(key: string): Promise<void> {
await this.redis.del(key);
}
async delPattern(pattern: string): Promise<void> {
const keys = await this.redis.keys(pattern);
if (keys.length > 0) {
await this.redis.del(...keys);
}
}
async exists(key: string): Promise<boolean> {
return (await this.redis.exists(key)) === 1;
}
buildKey(prefix: string, userId: string, ...parts: string[]): string {
2025-08-22 17:02:49 +09:00
return [prefix, userId, ...parts].join(":");
}
2025-08-22 17:02:49 +09:00
async getOrSet<T>(key: string, fetcher: () => Promise<T>, ttlSeconds: number = 300): Promise<T> {
const cached = await this.get<T>(key);
if (cached !== null) {
return cached;
}
const fresh = await fetcher();
await this.set(key, fresh, ttlSeconds);
return fresh;
}
}