npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

cachyer

v1.5.2

Published

A flexible, type-safe caching layer with support for multiple database adapters (Redis, MongoDB, PostgreSQL, CouchDB, and more)

Readme

Cachyer

Type-safe caching layer for Node.js with pluggable adapters, schema-driven operations, and built-in services for rate limiting, distributed locking, and multi-step workflows.

Install

npm install cachyer

# Redis adapter requires ioredis
npm install cachyer ioredis

Quick Start

import { createRedisCachyer } from "cachyer";

const cache = createRedisCachyer({
  keyPrefix: "myapp",
  defaultTtl: 3600,
  connectionOptions: { host: "localhost", port: 6379 },
});

// String operations
await cache.set("user:1", JSON.stringify({ name: "John" }));
const user = await cache.get("user:1");

// Hash operations
await cache.hset("profile:1", "name", "John");
await cache.hset("profile:1", "email", "[email protected]");
const profile = await cache.hgetall("profile:1");

// Sorted sets
await cache.zadd("leaderboard", [
  { score: 100, member: "player1" },
  { score: 200, member: "player2" },
]);
const top10 = await cache.zrevrange("leaderboard", 0, 9, { withScores: true });

In-Memory (for testing)

import { createMemoryCachyer } from "cachyer";

const cache = createMemoryCachyer({ keyPrefix: "test", maxEntries: 1000 });
// Same API as Redis — swap adapters without changing code

Two-Layer Architecture

Cachyer has two layers:

// Layer 1: Cachyer — core ops with automatic key prefixing + metrics
await cache.get("user:123");          // actual key: "myapp:user:123"
await cache.zadd("leaderboard", [...]);

// Layer 2: Adapter — advanced features, direct access, NO key prefixing
await cache.adapter.xadd("myapp:logs", "*", { msg: "hello" });
await cache.adapter.bfAdd("myapp:bloom", "user123");

Cachyer handles the operations everyone needs (get/set/hashes/sorted sets/lists) and adds key prefixing, metrics, logging. Adapter gives direct access to advanced Redis features (streams, bloom filters, HyperLogLog, geo). See docs/architecture.md for details.

Type-Safe Schemas

Define cache entities with a fluent builder:

import { createTypedSchema, TTL } from "cachyer";

const userSchema = createTypedSchema<{ userId: string }>()
  .name("user")
  .keyPattern("user:{userId}")
  .structure("HASH")
  .ttl(TTL.ONE_HOUR)
  .operations((ops) => ops.addHashGetAll().addHashSet().addDelete().addExpire())
  .build();

const data = await cache.execute(userSchema.operations.hashGetAll, {
  userId: "123",
});

Pre-built templates for common patterns:

import {
  createHashSchema,
  createSortedSetSchema,
  createCounterSchema,
} from "cachyer";

const userSchema = createHashSchema<{ userId: string }>(
  "user",
  "user:{userId}",
  7200,
);
const feedSchema = createSortedSetSchema<{ userId: string }>(
  "feed",
  "user:feed:{userId}",
  3600,
  500,
);
const counterSchema = createCounterSchema<{ userId: string }>(
  "counter",
  "api:count:{userId}",
  60,
);

See docs/schema-builder.md for the full builder API, custom operations, and all available operation methods.

Pipeline & Transaction

Batch operations into a single round-trip:

import { pipelineEntry } from "cachyer";

const result = await cache.pipeline([
  pipelineEntry(userSchema.operations.hashGetAll, { userId: "1" }),
  pipelineEntry(userSchema.operations.hashGetAll, { userId: "2" }),
  pipelineEntry(userSchema.operations.hashGetAll, { userId: "3" }),
]);

// Atomic transactions
const txResult = await cache.transaction([
  pipelineEntry(counterSchema.operations.increment, { userId: "1" }),
  pipelineEntry(feedSchema.operations.add, {
    userId: "1",
    member: "post:123",
    score: Date.now(),
  }),
]);

Multi-Step Workflows (CacheAction)

Orchestrate complex multi-step cache operations with dependency resolution, pipeline batching, retry, and rollback:

import { defineAction, pipelineEntry } from "cachyer";

const postLiked = defineAction<{ postId: string; userId: string }>("post-liked")
  .step("incrLikes", {
    operation: incrOp,
    params: (i) => ({ key: `post:${i.postId}:likes` }),
    retries: 2,
  })
  .step("setFlag", {
    operation: setOp,
    params: (i) => ({ key: `user:${i.userId}:liked:${i.postId}`, value: "1" }),
    undo: async (input, _result, cache) => {
      await cache.del(`user:${input.userId}:liked:${input.postId}`);
    },
  })
  .compute("score", {
    dependsOn: ["incrLikes"] as const,
    fn: async (_input, deps) => Math.log10(deps.incrLikes + 1) * 10,
  })
  .onError("skip-dependents")
  .build();

const result = await postLiked.run(
  cache,
  { postId: "p1", userId: "u1" },
  {
    rollbackOnFailure: true,
  },
);

See docs/actions.md for step types, error strategies, retry configuration, and rollback.

Key Patterns

Type-safe parameterized cache keys:

import { createKeyBuilder, createKeyPatterns } from "cachyer";

// Single key builder
const userKey = createKeyBuilder<{ userId: string }>("user:profile:{userId}");
userKey({ userId: "123" }); // "user:profile:123"

// Organized key patterns for larger apps
const keys = createKeyPatterns(
  {
    user: {
      profile: { pattern: "user:profile:{userId}" },
      feed: { pattern: "user:feed:{userId}" },
    },
    post: {
      data: { pattern: "post:{postId}" },
    },
  },
  { prefix: "myapp" },
);

keys.user.profile({ userId: "123" }); // "myapp:user:profile:123"

See docs/key-patterns.md for static keys and scan patterns.

Rate Limiting

Multiple algorithms out of the box:

import { createRateLimitService } from "cachyer";

const rateLimiter = createRateLimitService(adapter, {
  defaultConfig: { maxRequests: 100, windowSeconds: 60 },
  endpoints: {
    "api:create": { maxRequests: 10, windowSeconds: 60 },
  },
});

const result = await rateLimiter.check("user123", "api:create");
if (!result.allowed) {
  console.log(`Retry after ${result.retryAfter}s`);
}

// Or override config per-call
const custom = await rateLimiter.check("user123", "api:custom", {
  maxRequests: 5,
  windowSeconds: 30,
});

See docs/rate-limiting.md for sliding window, token bucket, multi-tier, and quota-based strategies.

Distributed Locking

import { createLockService } from "cachyer";

const lockService = createLockService(adapter);

await lockService.withLock("job:123", async () => {
  // Only one instance runs this at a time
  await processJob("123");
});

See docs/lock-service.md for manual lock management and configuration.

Configuration

const cache = new Cachyer({
  adapter: createRedisAdapter({ client: redis }),
  keyPrefix: "myapp",
  defaultTtl: 3600,
  serializer: {
    serialize: (value) => JSON.stringify(value),
    deserialize: (value) => JSON.parse(value.toString()),
  },
  logger: {
    debug: (msg, meta) => console.debug(msg, meta),
    info: (msg, meta) => console.info(msg, meta),
    warn: (msg, meta) => console.warn(msg, meta),
    error: (msg, meta) => console.error(msg, meta),
  },
  defaultOptions: {
    timeout: 5000,
    retries: 2,
    retryDelay: 100,
    throwOnError: true,
  },
  enableMetrics: true,
  autoConnect: true,
});

Metrics

const metrics = cache.getMetrics();
// { totalOperations, successfulOperations, failedOperations,
//   totalExecutionTimeMs, avgExecutionTimeMs, operationCounts }

cache.resetMetrics();

Error Handling

import { CacheError, CacheErrorCode } from "cachyer";

try {
  await cache.execute(operation, params);
} catch (error) {
  if (error instanceof CacheError) {
    switch (error.code) {
      case CacheErrorCode.CONNECTION_ERROR:
        break;
      case CacheErrorCode.TIMEOUT_ERROR:
        break;
      case CacheErrorCode.COMMAND_ERROR:
        break;
    }
  }
}

TTL Presets

import { TTL } from "cachyer";

TTL.ONE_MINUTE; // 60
TTL.FIVE_MINUTES; // 300
TTL.FIFTEEN_MINUTES; // 900
TTL.THIRTY_MINUTES; // 1800
TTL.ONE_HOUR; // 3600
TTL.SIX_HOURS; // 21600
TTL.ONE_DAY; // 86400
TTL.ONE_WEEK; // 604800
TTL.ONE_MONTH; // 2592000

Documentation

| Topic | Link | | -------------------------------------------- | -------------------------------------------------------------------- | | Architecture (two-layer design) | docs/architecture.md | | Schema Builder & Templates | docs/schema-builder.md | | Key Patterns | docs/key-patterns.md | | CacheAction (Workflows) | docs/actions.md | | Rate Limiting | docs/rate-limiting.md | | Pipeline vs Transaction vs Lua Script | docs/pipeline-vs-transaction.md | | Distributed Lock Service | docs/lock-service.md | | Adapters (Redis, Memory, Custom) | docs/adapters.md | | Utilities (Cache-Aside, Pagination, Scoring) | docs/utilities.md | | AI/LLM Reference | docs/ai-reference.md |

For AI Coding Assistants

  • CLAUDE.md — Comprehensive guide for Claude and other AI assistants
  • llms.txt — Quick reference for LLM consumption (like robots.txt for AI)
  • docs/ai-reference.md — Complete API reference with examples

Contributing

We welcome contributions! See CONTRIBUTING.md for setup instructions, code guidelines, and the PR checklist.

License

MIT