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

reflect-memory-sdk

v0.2.0

Published

TypeScript client SDK for the Reflect Memory API

Readme

reflect-memory-sdk

TypeScript client SDK for the Reflect Memory API — persistent, searchable memory for AI agents.

Zero dependencies. Works with Node 18+ using native fetch.

Installation

npm install reflect-memory-sdk
pnpm add reflect-memory-sdk
yarn add reflect-memory-sdk

Quick Start

import { ReflectMemory } from "reflect-memory-sdk";

const rm = new ReflectMemory({
  apiKey: process.env.REFLECT_API_KEY!,
});

// Write a memory
const memory = await rm.write({
  title: "Project Architecture",
  content: "We chose event sourcing with CQRS for the order service...",
  tags: ["architecture", "decisions"],
  allowedVendors: ["*"],
  memoryType: "semantic",
});

// Retrieve it later
const latest = await rm.getLatest("architecture");
console.log(latest?.title); // "Project Architecture"

Configuration

const rm = new ReflectMemory({
  apiKey: "rm_live_...",           // Required — your Reflect Memory API key
  baseUrl: "https://custom.host",  // Optional — defaults to https://api.reflectmemory.com
});

| Option | Type | Required | Default | | --------- | -------- | -------- | ------------------------------------ | | apiKey | string | Yes | — | | baseUrl | string | No | https://api.reflectmemory.com |

API Reference

rm.write(params)

Create a new memory.

const memory = await rm.write({
  title: "Sprint Retrospective",
  content: "Key takeaway: we need better test coverage on the payments module.",
  tags: ["retro", "q1-2026"],
  allowedVendors: ["*"],
});

console.log(memory.id); // "b3f1a2c4-..."

Parameters:

| Field | Type | Required | Description | | ---------------- | ---------- | -------- | ---------------------------------------------- | | title | string | Yes | Title of the memory | | content | string | Yes | Full content body | | tags | string[] | No | Tags for categorization and filtering | | allowedVendors | string[] | No | Vendor allowlist — ["*"] permits all vendors | | memoryType | "semantic" \| "episodic" \| "procedural" | No | Memory classification: semantic (facts/knowledge), episodic (events/decisions), procedural (workflows/patterns). Defaults to "semantic" |

Returns: Promise<Memory>


rm.getLatest(tag?)

Get the most recent memory, optionally filtered by tag.

// Most recent memory across all tags
const latest = await rm.getLatest();

// Most recent memory tagged "strategy"
const latestStrategy = await rm.getLatest("strategy");

Parameters:

| Field | Type | Required | Description | | ----- | -------- | -------- | ---------------------- | | tag | string | No | Filter by a single tag |

Returns: Promise<Memory | null>


rm.getById(id)

Retrieve a single memory by UUID.

const memory = await rm.getById("b3f1a2c4-8d5e-4f6a-9b0c-1d2e3f4a5b6c");
console.log(memory.title, memory.content);

Parameters:

| Field | Type | Required | Description | | ----- | -------- | -------- | ------------------------- | | id | string | Yes | UUID of the memory |

Returns: Promise<Memory>

Throws: ReflectMemoryError with status 404 if not found.


rm.browse(params?)

Browse memory summaries with pagination. Returns lightweight objects without the content field — ideal for listing UIs.

const page = await rm.browse({ limit: 50, offset: 0 });

page.memories.forEach((s) => {
  console.log(`${s.title} [${s.tags.join(", ")}]`);
});
console.log(`Total: ${page.total}, has more: ${page.has_more}`);

Parameters:

| Field | Type | Required | Description | | -------- | -------- | -------- | ------------------------------- | | limit | number | No | Maximum number of results | | offset | number | No | Number of results to skip |

Returns: Promise<PaginatedResponse<MemorySummary>>


rm.getByTag(params)

Retrieve memories matching one or more tags.

const result = await rm.getByTag({
  tags: ["strategy", "q1"],
  limit: 20,
  offset: 0,
});
// Use result.memories to access the memories

Parameters:

| Field | Type | Required | Description | | -------- | ---------- | -------- | ------------------------------- | | tags | string[] | Yes | Tags to filter by | | limit | number | No | Maximum number of results | | offset | number | No | Number of results to skip |

Returns: Promise<PaginatedResponse<Memory>>


rm.search(params)

Search memories by text query.

const results = await rm.search({
  query: "microservice architecture",
  limit: 10,
});

results.memories.forEach((m) => {
  console.log(m.title, m.tags);
});

Parameters:

| Field | Type | Required | Description | | ------- | -------- | -------- | ------------------------------- | | query | string | Yes | Natural-language search query | | limit | number | No | Maximum number of results |

Returns: Promise<PaginatedResponse<MemorySummary>>


rm.whoami()

Resolve the identity associated with the current API key.

const identity = await rm.whoami();
console.log(identity.user_id, identity.email);

Returns: Promise<Identity>

Memory Types

Every memory has a memory_type that classifies the kind of knowledge it represents. You can set this when writing a memory via the memoryType parameter. If omitted, it defaults to "semantic".

| Type | Description | | ------------- | --------------------------------------------------------------------------- | | semantic | Facts, knowledge, and reference information (e.g. architecture decisions, API specs) | | episodic | Events, decisions, and contextual experiences (e.g. meeting notes, incident reports) | | procedural | Workflows, patterns, and step-by-step processes (e.g. deployment runbooks, coding conventions) |

await rm.write({
  title: "Deploy Runbook",
  content: "1. Run migrations  2. Deploy canary  3. Promote to prod ...",
  tags: ["ops", "deploy"],
  memoryType: "procedural",
});

Error Handling

All API errors throw a ReflectMemoryError with structured context:

import { ReflectMemory, ReflectMemoryError } from "reflect-memory-sdk";

const rm = new ReflectMemory({ apiKey: "rm_live_..." });

try {
  await rm.getById("nonexistent-id");
} catch (err) {
  if (err instanceof ReflectMemoryError) {
    console.error(err.status);   // 404
    console.error(err.message);  // "Memory not found"
    console.error(err.body);     // Raw response body from the API
  }
}

| Property | Type | Description | | --------- | --------- | ----------------------------------------------- | | status | number | HTTP status code | | message | string | Human-readable error message | | body | unknown | Raw response body (parsed JSON when available) |

Types

All types are exported for use in your own code:

import type {
  Memory,
  MemorySummary,
  PaginatedResponse,
  Identity,
  WriteMemoryParams,
  BrowseParams,
  GetByTagParams,
  SearchParams,
  ReflectMemoryOptions,
} from "reflect-memory-sdk";

PaginatedResponse

interface PaginatedResponse<T> {
  memories: T[];
  total: number;
  limit: number;
  offset: number;
  has_more: boolean;
}

Memory

interface Memory {
  id: string;
  user_id: string;
  title: string;
  content: string;
  tags: string[];
  origin: string;
  allowed_vendors: string[];
  memory_type: string;
  created_at: string;
  updated_at: string;
  deleted_at?: string;
}

MemorySummary

interface MemorySummary {
  id: string;
  title: string;
  tags: string[];
  origin: string;
  memory_type: string;
  created_at: string;
}

Identity

interface Identity {
  user_id: string;
  email?: string;
  name?: string;
  [key: string]: unknown;
}

Requirements

  • Node.js 18+ (uses native fetch)
  • No external dependencies

License

MIT — Reflect Memory Inc