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

@supergrain/store

v2.0.1

Published

Document-oriented store for Supergrain with TypeScript support

Readme

Supergrain

A fast, ergonomic reactive store for React.

  • Plain objects — read properties, assign values, push to arrays. No special syntax.
  • Fine-grained — only the components that read changed properties re-render
  • Synchronous — state updates are immediate, not deferred to the next render
  • Type-safe — full TypeScript inference on stores and mutations
  • Zero boilerplate — no actions, reducers, or selectors

Install

npm install @supergrain/core @supergrain/react

Quick Start

// [#DOC_TEST_QUICK_START](packages/doc-tests/tests/readme-react.test.tsx)

import { createStore } from '@supergrain/core'
import { tracked, provideStore, useComputed, useSignalEffect, For } from '@supergrain/react'

// Step 1: Create a store — just a plain object.

interface Todo { id: number; text: string; completed: boolean }
interface AppState { todos: Todo[]; selected: number | null }

const store = createStore<AppState>({
  todos: [
    { id: 1, text: 'Learn Supergrain', completed: false },
    { id: 2, text: 'Build something', completed: false },
  ],
  selected: null,
})

const Store = provideStore(store)

// Step 2: Wrap components with tracked() for fine-grained re-renders.

const TodoItem = tracked(({ todo }: { todo: Todo }) => {
  const store = Store.useStore()
  const isSelected = useComputed(() => store.selected === todo.id)

  return (
    <li className={isSelected ? 'selected' : ''}>
      <input
        type="checkbox"
        checked={todo.completed}
        onChange={() => todo.completed = !todo.completed}
      />
      {todo.text}
    </li>
  )
})

// Step 3: Use useComputed and useSignalEffect for derived values and side effects.

const App = tracked(() => {
  const store = Store.useStore()
  const remaining = useComputed(() => store.todos.filter(t => !t.completed).length)

  useSignalEffect(() => {
    document.title = `${remaining} items left`
  })

  return (
    <div>
      <h1>Todos ({remaining})</h1>
      <For each={store.todos}>
        {todo => <TodoItem key={todo.id} todo={todo} />}
      </For>
    </div>
  )
})

// That's it. Render with Provider.

<Store.Provider><App /></Store.Provider>

Checking a todo re-renders only that TodoItem. Changing selection re-renders only the 2 affected items. The App component and other items don't re-render.

API

createStore<T>(initial)

Creates a reactive store proxy. Reads and writes work like plain objects.

provideStore(store)

Wraps a store with React context plumbing. Returns { Provider, useStore }. The proxy's identity never changes, so the context value is stable and won't trigger React re-renders.

tracked(Component)

Wraps a React component with per-component signal scoping. Only the signals read during render are tracked — when they change, only this component re-renders.

useComputed(() => expr, deps?)

Shorthand for useMemo(() => computed(factory), deps). Re-evaluates when upstream signals change, but only triggers a re-render when the result changes — acting as a firewall. The deps array works exactly like useMemo: when deps change, a new computed is created.

useSignalEffect(() => sideEffect)

Shorthand for useEffect(() => effect(fn), []). Runs a signal-tracked side effect that re-runs when tracked signals change and cleans up on unmount. Does not cause the component to re-render.

<For each={array} parent={ref?}>{item => ...}</For>

Optimized list rendering. Tracks which items actually changed and only re-renders those. When a parent ref is provided, swaps use O(1) direct DOM moves instead of O(n) React reconciliation.

See how Supergrain compares to useState, Zustand, Redux, and MobX in the comparison guide.

Ergonomic

Signal-level performance with a proxy experience. No new mental model — if you know JavaScript objects, you know Supergrain.

const store = createStore({ count: 0, user: { name: "Jane" } });

// Read like a plain object
console.log(store.count); // 0
console.log(store.user.name); // 'Jane'

// Write like a plain object
store.count = 5;
store.user.name = "Alice";
  • No actions, reducers, selectors, or dispatch
  • No set() wrappers or updater functions
  • Full TypeScript inference — no manual type annotations on reads or writes

Mutation

Arrays and objects work exactly how you'd expect. Push, splice, assign, delete — all tracked, all reactive.

const store = createStore({
  items: ["a", "b", "c"],
  user: { name: "Jane", age: 30 },
});

// Arrays
store.items.push("d");
store.items.splice(1, 1);
store.items[0] = "x";

// Objects
store.user.name = "Alice";
delete store.user.age;
  • Every mutation fires reactive updates automatically
  • No immutable spreading, no immer, no copy-on-write
  • Writes are synchronous — read your own writes immediately

Deep Reactivity

Nested objects and arrays are reactive at any depth. No observable() calls, no ref() wrappers — the entire tree is tracked automatically.

const store = createStore({
  org: {
    teams: [{ name: "Frontend", members: [{ name: "Alice", active: true }] }],
  },
});

// Change a deeply nested property
store.org.teams[0].members[0].active = false;

// Only components reading `active` on that specific member re-render
  • Works at any nesting depth — objects, arrays, arrays of objects
  • No manual wrapping or opt-in per field
  • Proxy-based: new properties and nested objects are automatically reactive

Performance

Fine-grained means what doesn't re-render matters most. When one property changes, only the components that actually read that property update.

const store = createStore({ count: 0, theme: "light" });

// Only re-renders when `count` changes — not when `theme` changes
const Counter = tracked(() => <p>{store.count}</p>);

// Only re-renders when `theme` changes — not when `count` changes
const Theme = tracked(() => <p>{store.theme}</p>);
  • Per-component signal scoping via tracked()
  • Sibling components are independent — no wasted renders
  • Parent components don't re-render when children's data changes

Computed

Derived values that act as a firewall. useComputed re-evaluates when upstream signals change, but only triggers a re-render when the result changes.

const store = createStore({
  selected: 3,
  todos: [
    /* 1000 items */
  ],
});

const TodoItem = tracked(({ todo }) => {
  // Only re-renders when this specific item's selection state flips
  const isSelected = useComputed(() => store.selected === todo.id);
  return <li className={isSelected ? "active" : ""}>{todo.text}</li>;
});
  • 998 rows return false → they don't re-render when selection changes
  • Only the 2 rows whose result flips (true↔false) update
  • Shorthand for useMemo(() => computed(factory), deps)

Effects

Signal-tracked side effects that run outside the React render cycle. They re-run when tracked signals change, but never cause the component to re-render.

const App = tracked(() => {
  const store = Store.useStore();
  const remaining = useComputed(() => store.todos.filter((t) => !t.completed).length);

  useSignalEffect(() => {
    document.title = `${remaining} items left`;
  });

  return <TodoList />;
});
  • Runs immediately, re-runs when tracked signals change
  • Cleans up automatically on unmount
  • Shorthand for useEffect(() => effect(fn), [])

Looping

<For> renders lists with per-item tracking. Only items that actually changed re-render — not the entire list.

const App = tracked(() => {
  const store = Store.useStore();

  return (
    <For each={store.todos} parent={tableRef}>
      {(todo) => <TodoItem key={todo.id} todo={todo} />}
    </For>
  );
});
  • Tracks which items changed and only re-renders those
  • Optional parent ref enables O(1) direct DOM moves for swaps
  • Without parent, falls back to standard React reconciliation

Synchronous Writes and Batching

Writes are synchronous — you can always read your own writes:

store.count = 5;
console.log(store.count); // 5 — immediately available

Single mutations are always safe. When you need to make multiple mutations atomically, wrap them in startBatch / endBatch. Without batching, each write fires reactive effects immediately — a computed that reads both swapped positions would run mid-swap and see a duplicate:

// ❌ Without batching — computed sees [C, B, C] after first write
const tmp = store.data[0];
store.data[0] = store.data[2]; // effects fire — data is [C, B, C]
store.data[2] = tmp; // effects fire again — data is [C, B, A]

Wrap multi-step mutations in startBatch / endBatch so effects fire once with the final state:

import { startBatch, endBatch } from "@supergrain/core";

startBatch();
const tmp = store.data[0];
store.data[0] = store.data[2];
store.data[2] = tmp;
endBatch(); // effects fire once — data is [C, B, A]

Update Operators (Optional)

For complex updates — batched mutations, array manipulations, dot-notation paths — import update and pass the store as the first argument:

// [#DOC_TEST_46](packages/doc-tests/tests/readme-core.test.ts)

import { createStore, update } from "@supergrain/core";

const store = createStore({
  count: 0,
  user: { name: "John", age: 30, middleName: "M" },
  items: ["a", "b", "c"],
  tags: ["react"],
  lowestScore: 100,
  highestScore: 50,
});

// $set — set values (supports dot notation for nested paths)
update(store, { $set: { count: 10, "user.name": "Alice" } });

// $unset — remove fields
update(store, { $unset: { "user.middleName": 1 } });

// $inc — increment/decrement numbers
update(store, { $inc: { count: 1 } });
update(store, { $inc: { count: -5 } });

// $push — add to arrays (with $each for multiple)
update(store, { $push: { items: "d" } });
update(store, { $push: { items: { $each: ["e", "f"] } } });

// $pull — remove from arrays
update(store, { $pull: { items: "b" } });

// $addToSet — add only if not already present
update(store, { $addToSet: { tags: "vue" } });

// $min / $max — conditional updates
update(store, { $min: { lowestScore: 50 } });
update(store, { $max: { highestScore: 100 } });

// Batching — multiple operators in one call
update(store, {
  $set: { "user.name": "Bob" },
  $inc: { count: 2 },
  $push: { items: "g" },
});

Contributing

Contributions are welcome! Please feel free to submit a Pull Request.

Development

git clone https://github.com/commoncurriculum/supergrain.git
cd supergrain
pnpm install
pnpm -r --filter="@supergrain/*" build
pnpm test
pnpm run typecheck

Publishing Releases

This project uses Changesets for automated releases. You can create changesets via:

GitHub Actions automatically handles versioning, changelogs, and publishing to NPM.

  • NPM_SETUP.md - Complete guide for setting up NPM publishing
  • RELEASING.md - Step-by-step instructions for creating releases

License

MIT