Claude Code Plugins

Community-maintained marketplace

Feedback

キャッシュ、Redis、キャッシュ無効化を実装する際に使用。

Install Skill

1Download skill
2Enable skills in Claude

Open claude.ai/settings/capabilities and find the "Skills" section

3Upload to Claude

Click "Upload skill" and select the downloaded ZIP file

Note: Please verify skill by going through its instructions before using it.

SKILL.md

name caching
description キャッシュ、Redis、キャッシュ無効化を実装する際に使用。

Caching

鉄則

キャッシュは複雑さを増す。本当に必要か確認。

キャッシュ戦略

Cache-Aside (Lazy Loading)

async function getData(key: string) {
  // 1. キャッシュ確認
  const cached = await cache.get(key);
  if (cached) return cached;
  
  // 2. DBから取得
  const data = await db.find(key);
  
  // 3. キャッシュに保存
  await cache.set(key, data, { ttl: 3600 });
  return data;
}

Write-Through

async function saveData(key: string, data: Data) {
  // DB保存と同時にキャッシュ更新
  await db.save(key, data);
  await cache.set(key, data);
}

⚠️ キャッシュ無効化

// 更新時は必ず無効化
async function updateUser(id: string, data: UserUpdate) {
  await db.users.update(id, data);
  await cache.del(`user:${id}`);       // ⚠️ 忘れずに
  await cache.del(`user:${id}:profile`);
}

TTL設定

// データ特性に応じて設定
cache.set('static-config', data, { ttl: 86400 });  // 1日
cache.set('user-session', data, { ttl: 3600 });    // 1時間
cache.set('rate-limit', data, { ttl: 60 });        // 1分

🚫 禁止事項

❌ 機密情報をキャッシュ(パスワード、トークン)
❌ 無限TTL(メモリリーク)
❌ キャッシュ無効化忘れ(古いデータ表示)

Redis基本

import Redis from 'ioredis';
const redis = new Redis(process.env.REDIS_URL);

await redis.set('key', JSON.stringify(data), 'EX', 3600);
const data = JSON.parse(await redis.get('key') || 'null');