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

@askrjs/askr

v0.0.28

Published

Actor-backed deterministic UI framework

Readme

Askr

Deterministic UI runtime with runtime enforcement.

Quick Start

import { createIsland, state } from '@askrjs/askr';

function Counter() {
  const [count, setCount] = state(0);
  return <button onClick={() => setCount(count() + 1)}>{count()}</button>;
}

createIsland({ root: document.body, component: Counter });

Core Features

Runtime Enforcement

Askr validates component structure as it runs, catching mistakes with clear error messages.

// This error is caught immediately:
if (condition) {
  const [x, setX] = state(0); // ❌ Hook order violation
}

// Error shows the fix:
const [x, setX] = state(0);
if (condition) {
  setX(newValue); // ✅ Correct
}

Deterministic Execution

Events serialize through a scheduler. State updates are atomic. Renders follow strict ordering.

// Event 1 completes (handler + state + DOM)
// Then Event 2 starts
// No race conditions

Proven with 524 tests covering:

  • Event ordering (12 tests)
  • State atomicity (12 tests)
  • Transaction semantics (30 tests)

Automatic Cleanup

Every component gets an AbortSignal for automatic cancellation.

import { resource } from '@askrjs/askr/resources';

function Data({ id }) {
  const data = resource(async ({ signal }) => {
    const res = await fetch(`/api/${id}`, { signal });
    return res.json();
  }, [id]);

  if (data.pending || !data.value) return <div>Loading...</div>;
  if (data.error) return <div>Failed to load</div>;
  return <div>{data.value.name}</div>;
}
// Async work is cancelled automatically on unmount/navigation

Explicit Reactivity

Getters and setters are functions. Call the getter to read and the setter to update — this makes reactivity explicit in your code.

const [count, setCount] = state(0);
console.log(count()); // getter: read
setCount(1); // setter: write

Clear data flow. No hidden subscriptions.


API

State

const [value, setValue] = state(initialValue);

// Read
value();

// Write
setValue(newValue);

// Update
setValue((prev) => prev + 1);

Derived State

function Counter() {
  const [count, setCount] = state(0);
  const doubled = derive(() => count() * 2);

  return (
    <button onClick={() => setCount((prev) => prev + 1)}>
      {count()} -> {doubled()}
    </button>
  );
}

derive() now returns a getter. Migrate const doubled = derive(...); {doubled} to const doubled = derive(...); {doubled()}.

Keyed Selectors

function Table({ rows }) {
  const [selectedId, setSelectedId] = state<number | null>(null);
  const isSelected = selector(selectedId);

  return For(
    () => rows(),
    (row) => row.id,
    (row) => (
      <tr class={() => (isSelected(row.id) ? 'danger' : '')}>
        <td>
          <a onClick={() => setSelectedId(row.id)}>{row.id}</a>
        </td>
      </tr>
    )
  );
}

Use selector() for row selection, active-route checks, and similar keyed fanout hotspots. Create it once in the owner component and reuse the keyed predicate across rows.

Lists

const [items, setItems] = state([...]);

For(
  items,
  (item) => item.id,
  (item) => <Item {...item} />
)

Apps

// Single component
createIsland({
  root: document.body,
  component: MyComponent,
});

// Routed app
route('/', () => <Home />);
route('/about', () => <About />);

createSPA({
  root: document.body,
  routes: getRoutes(),
});

Documentation


Guarantees

Askr provides provable guarantees, tested with 524 tests:

  • Hook order enforcement (12 tests)
  • Event serialization (12 tests)
  • Atomic transactions (30 tests)
  • Keyed reconciliation (12 tests)
  • Memory safety (8 tests)

See test suite →


Migration

Coming from React

| React | Askr | | ------------------------------- | ---------------------------- | | const [x, setX] = useState(0) | const [x, setX] = state(0) | | x | x() | | setX(1) | setX(1) |

The main difference: values are functions that you call to read.


Install

npm install @askrjs/askr

License

Apache 2.0