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

novyx

v2.9.2

Published

Novyx SDK - Persistent memory, rollback, and audit trail for AI agents

Downloads

1,040

Readme

Novyx SDK for JavaScript / TypeScript

Persistent memory + rollback + audit trail for AI agents. Give your AI persistent memory, semantic search, Magic Rollback to undo mistakes, cryptographic audit trails, context spaces for multi-agent collaboration, replay for time-travel debugging, and cortex for autonomous memory intelligence.

Installation

npm install novyx

Quick Start

import { Novyx } from "novyx";

const nx = new Novyx({ apiKey: "nram_your_key_here" });

// Store a memory
await nx.remember("User prefers dark mode and async communication", {
  tags: ["preferences"],
  importance: 8,
});

// Search memories semantically
const results = await nx.recall("communication style", { limit: 5 });
for (const mem of results.memories) {
  console.log(`${mem.observation} (score: ${mem.score})`);
}

// Check audit trail
const audit = await nx.audit({ limit: 10 });

// Magic Rollback — undo to any point in time (Pro+)
await nx.rollback("2 hours ago");

Complete Lifecycle Example

import { Novyx } from "novyx";

const nx = new Novyx({ apiKey: "nram_your_key_here" });

// 1. Store memories
await nx.remember("User mentioned budget is $50K for Q1", {
  tags: ["sales", "budget"],
  importance: 8,
});
await nx.remember("User prefers email over phone calls", {
  tags: ["preferences"],
  importance: 7,
});
await nx.remember("User is building a real estate AI assistant", {
  tags: ["project"],
});

// 2. Semantic search
const results = await nx.recall("what is the user's budget?", { limit: 3 });
console.log(`Found: ${results.memories[0].observation}`);

// 3. Check audit trail
const audit = await nx.audit({ limit: 5 });

// 4. Preview rollback first, then execute (Pro+)
const preview = await nx.rollbackPreview("1 hour ago");
const result = await nx.rollback("1 hour ago");

// 5. Trace agent actions (Pro+)
const trace = await nx.traceCreate("sales-agent", "session-123");
await nx.traceStep(trace.trace_id, "thought", "Analyzing budget", "User has $50K");
await nx.traceStep(trace.trace_id, "action", "draft_proposal");
const completed = await nx.traceComplete(trace.trace_id);

Features

Persistent Memory

Store observations about users, contexts, and decisions. Your AI remembers everything across sessions.

// Store with full options
await nx.remember("Customer mentioned budget is $50K for Q1", {
  tags: ["sales", "budget"],
  importance: 8,
  metadata: { customer_id: "12345", quarter: "Q1" },
  agent_id: "sales-agent",
});

// List all memories
const list = await nx.list({ limit: 100, min_importance: 7 });
console.log(`Found ${list.total_count} high-importance memories`);

// Get specific memory
const mem = await nx.memory("urn:uuid:abc123...");

// Delete memory
await nx.forget("urn:uuid:abc123...");

// Get stats
const stats = await nx.stats();

Semantic Search

Find relevant memories using natural language queries. No exact keyword matching required.

const results = await nx.recall("what is the user working on?", { limit: 3 });
// Returns: "User is building a real estate AI assistant"

// Filter by tags
const filtered = await nx.recall("budget constraints", {
  tags: ["sales"],
  limit: 5,
  min_score: 0.5,
});

// Filter by agent
const agentResults = await nx.recall("preferences", {
  agents: ["sales-agent"],
});

Magic Rollback (Pro+)

Made a mistake? Roll back your AI's memory to any point in time.

// Preview rollback first
const preview = await nx.rollbackPreview("2 hours ago");

// Execute rollback
const result = await nx.rollback("2 hours ago");

// Rollback with options
await nx.rollback("2 hours ago", { dryRun: true, preserveEvidence: true });

// View rollback history
const history = await nx.rollbackHistory(10);

Cryptographic Audit Trail

Every operation is logged with SHA-256 hashing for tamper-proof history.

// Get recent audit entries
const audit = await nx.audit({ limit: 50 });

// Export audit log (Pro+)
const csv = await nx.auditExport("csv");

// Verify integrity
const verification = await nx.auditVerify();
console.log(`Valid: ${verification.valid}`);

Trace Audit (Pro+)

Track agent actions with RSA signatures and real-time policy enforcement.

// Create trace session
const trace = await nx.traceCreate("my-agent", "session-123");

// Add steps
await nx.traceStep(trace.trace_id, "thought", "Planning email");
await nx.traceStep(trace.trace_id, "action", "send_email", undefined, {
  to: "[email protected]",
});
await nx.traceStep(trace.trace_id, "observation", "Email sent successfully");

// Finalize with RSA signature
const result = await nx.traceComplete(trace.trace_id);

// Verify integrity later
const verification = await nx.traceVerify(trace.trace_id);

Context Spaces (Multi-Agent)

Create shared memory spaces for multi-agent collaboration with fine-grained permissions.

// Share a tag with another user
await nx.shareContext("project-notes", "[email protected]", "write");

// List shared spaces
const spaces = await nx.sharedContexts();

// Accept a share invitation
await nx.acceptSharedContext("token_abc123");

// Store and recall in a space
await nx.remember("Shared insight", { space_id: "cs_abc123", tags: ["shared"] });
const results = await nx.recall("insights", { space_id: "cs_abc123" });

// Revoke access
await nx.revokeSharedContext("token_abc123");

Knowledge Graph & Links

Create relationships between memories — build a connected knowledge base.

// Link two memories
await nx.link("mem-1", "mem-2", { relation: "caused_by", weight: 0.9 });

// Get links for a memory
const linked = await nx.links("mem-1");
console.log(linked.edges);

// Remove a link
await nx.unlink("mem-1", "mem-2", "caused_by");

// Get full memory graph
const graph = await nx.graph();

Sessions

Automatically tag and filter memories by session:

const session = nx.session("chat-abc123");

await session.remember("User asked about billing");
const results = await session.recall("billing");
// Only returns memories from this session

Replay — Time-Travel Debugging (Pro+)

Inspect how your agent's memory changed over time.

// Timeline of operations
const timeline = await nx.replayTimeline({
  since: "2026-01-01T00:00:00Z",
  limit: 50,
});
for (const entry of timeline.entries) {
  console.log(`${entry.timestamp} - ${entry.operation}`);
}

// Point-in-time snapshot
const snapshot = await nx.replaySnapshot("2026-01-15T10:00:00Z");
console.log(`${snapshot.total_memories} memories at that point`);

// Full lifecycle of a memory
const lifecycle = await nx.replayMemory("urn:uuid:abc123...");

// Diff between two timestamps
const diff = await nx.replayDiff("2026-01-01T00:00:00Z", "2026-01-15T00:00:00Z");
console.log(`Added: ${diff.summary.added}, Removed: ${diff.summary.removed}`);

// Counterfactual recall — what would the agent have recalled? (Enterprise)
const recall = await nx.replayRecall("user preferences", "2026-01-10T00:00:00Z");

// Memory composition drift (Enterprise)
const drift = await nx.replayDrift("2026-01-01T00:00:00Z", "2026-02-01T00:00:00Z");

Cortex — Autonomous Memory Intelligence (Pro+)

Your memory gets smarter on its own. Cortex consolidates near-duplicates, boosts frequently-recalled memories, decays forgotten ones, and generates insights.

// Check cortex status
const status = await nx.cortexStatus();
console.log(`Enabled: ${status.enabled}, Last run: ${status.last_run_at}`);

// Configure cortex
await nx.cortexUpdateConfig({
  consolidation_enabled: true,
  consolidation_threshold: 0.9,
  decay_age_days: 30,
});

// Trigger a manual cycle
const result = await nx.cortexRun();
console.log(
  `Consolidated: ${result.consolidated}, Boosted: ${result.boosted}, Decayed: ${result.decayed}`
);

// Get insights (Enterprise)
const insights = await nx.cortexInsights({ limit: 10 });
for (const insight of insights.insights) {
  console.log(`Insight: ${insight.observation}`);
}

API Reference

Memory Methods

| Method | Description | |--------|-------------| | remember(observation, opts?) | Store a memory | | recall(query, opts?) | Semantic search | | memories(opts?) | List memories (raw) | | memory(id) | Get memory by ID | | forget(id) | Delete a memory | | delete(id) | Alias for forget | | list(opts?) | List memories (ListResult) | | stats() | Memory statistics | | supersede(oldId, newId) | Mark a memory as superseded |

Rollback Methods (Pro+)

| Method | Description | |--------|-------------| | rollback(target, opts?) | Rollback to timestamp or relative time | | rollbackPreview(target) | Preview rollback changes | | rollbackHistory(limit?) | List past rollbacks |

Audit Methods

| Method | Description | |--------|-------------| | audit(opts?) | Get audit entries | | auditExport(format?) | Export audit log (Pro+) | | auditVerify() | Verify audit integrity |

Trace Methods (Pro+)

| Method | Description | |--------|-------------| | traceCreate(agentId, sessionId?, metadata?) | Create trace session | | traceStep(traceId, stepType, name, content?, attrs?) | Add trace step | | traceComplete(traceId) | Finalize trace with RSA signature | | traceVerify(traceId) | Verify trace integrity |

Context Space Methods

| Method | Description | |--------|-------------| | shareContext(tag, email, permission?) | Share a tag/space | | acceptSharedContext(token) | Accept share invitation | | sharedContexts() | List shared spaces | | revokeSharedContext(token) | Revoke a share |

Knowledge Graph & Link Methods

| Method | Description | |--------|-------------| | link(sourceId, targetId, opts?) | Create a directed edge | | unlink(sourceId, targetId, relation?) | Remove a link | | links(memoryId, relation?) | Get memory links | | graph(opts?) | Get memory graph |

Replay Methods (Pro+)

| Method | Description | |--------|-------------| | replayTimeline(opts?) | Timeline of memory operations | | replaySnapshot(at, opts?) | Reconstruct memory state at timestamp | | replayMemory(memoryId) | Full lifecycle of a single memory | | replayDiff(from, to) | Diff between two timestamps | | replayRecall(query, at, opts?) | Counterfactual recall (Enterprise) | | replayDrift(from, to) | Memory composition drift (Enterprise) |

Cortex Methods (Pro+)

| Method | Description | |--------|-------------| | cortexStatus() | Get cortex status, last run, and config | | cortexConfig() | Get current cortex configuration | | cortexUpdateConfig(updates) | Update cortex settings | | cortexRun() | Trigger a manual cortex cycle | | cortexInsights(opts?) | Get generated insights (Enterprise) |

Session & Utility Methods

| Method | Description | |--------|-------------| | session(sessionId) | Create session scope | | contextNow() | Get temporal context snapshot | | usage() | Current usage stats | | plans() | Available plans | | health() | API health check |

Error Handling

import {
  Novyx,
  NovyxAuthError,
  NovyxForbiddenError,
  NovyxRateLimitError,
  NovyxNotFoundError,
} from "novyx";

try {
  await nx.rollback("2 hours ago");
} catch (err) {
  if (err instanceof NovyxForbiddenError) {
    console.log(`Upgrade required: ${err.requiredPlan}`);
    console.log(`Upgrade at: ${err.upgradeUrl}`);
  } else if (err instanceof NovyxRateLimitError) {
    console.log(`Limit: ${err.limitType}, retry in ${err.retryAfter}s`);
  } else if (err instanceof NovyxNotFoundError) {
    console.log("Memory not found");
  } else if (err instanceof NovyxAuthError) {
    console.log("Invalid API key");
  }
}

Pricing

| Tier | Price | Memories | API Calls | Rollbacks | Audit | Features | |------|-------|----------|-----------|-----------|-------|----------| | Free | $0 | 5,000 | 5,000/mo | 10/month | 7 days | Basic memory, LWW conflict resolution | | Starter | $12/mo | 25,000 | 25,000/mo | 30/month | 14 days | + All conflict strategies | | Pro | $39/mo | Unlimited | 100,000/mo | Unlimited | 30 days | + Replay, Cortex, traces, knowledge graph | | Enterprise | $199/mo | Unlimited | Unlimited | Unlimited | 90 days | + Cortex insights, counterfactual recall, drift analysis |

Links

License

MIT