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

@rectify-dev/core

v2.4.4

Published

[![npm](https://img.shields.io/npm/v/@rectify-dev/core)](https://www.npmjs.com/package/@rectify-dev/core) [![License: MIT](https://img.shields.io/badge/license-MIT-blue.svg)](../../LICENSE)

Readme

@rectify-dev/core

npm License: MIT

A lightweight React-like UI library built from scratch — fiber reconciler, concurrent rendering, class components, a complete hooks API, lazy/Suspense, and context. All with zero React dependencies and ~10 KB gzipped.

| Feature | Status | |---------|--------| | Function components + auto-bailout | ✅ | | Class components (full lifecycle) | ✅ | | useState, useReducer | ✅ | | useEffect, useLayoutEffect | ✅ | | useRef (object + callback refs) | ✅ | | useMemo, useCallback | ✅ | | useContext + createContext | ✅ | | useId | ✅ | | memo() with custom comparator | ✅ | | lazy() + <Suspense> | ✅ | | SVG elements | ✅ | | Client-side router | @rectify-dev/router |


Quick Start

Scaffold a new project with one command — no config needed:

# pnpm
pnpm create @rectify-dev/rectify-app my-app

# npm
npm create @rectify-dev/rectify-app@latest my-app

# yarn
yarn create @rectify-dev/rectify-app my-app

Then:

cd my-app
pnpm install
pnpm dev

This scaffolds a Vite + TypeScript project pre-configured with the Rectify JSX runtime, @rectify-dev/vite-plugin, and a ready-to-edit src/App.tsx.


Installation

pnpm add @rectify-dev/core
# or
npm install @rectify-dev/core

Configure your bundler to use the Rectify JSX runtime:

// tsconfig.json
{
  "compilerOptions": {
    "jsx": "react-jsx",
    "jsxImportSource": "@rectify-dev/core"
  }
}

Table of Contents


Rendering

import { createRoot } from "@rectify-dev/core";

const root = createRoot(document.getElementById("app")!);
root.render(<App />);

Hooks

useState

import { useState } from "@rectify-dev/core";

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

Supports lazy initializer:

const [state, setState] = useState(() => expensiveComputation());

useReducer

import { useReducer } from "@rectify-dev/core";

type Action = { type: "inc" } | { type: "dec" };

const reducer = (state: number, action: Action) => {
  if (action.type === "inc") return state + 1;
  if (action.type === "dec") return state - 1;
  return state;
};

const Counter = () => {
  const [count, dispatch] = useReducer(reducer, 0);
  return (
    <>
      <button onClick={() => dispatch({ type: "dec" })}>-</button>
      {count}
      <button onClick={() => dispatch({ type: "inc" })}>+</button>
    </>
  );
};

useEffect

Runs after the browser has painted. Clean up by returning a function.

import { useEffect } from "@rectify-dev/core";

const Timer = () => {
  useEffect(() => {
    const id = setInterval(() => console.log("tick"), 1000);
    return () => clearInterval(id);
  }, []); // empty deps → run once on mount
};

useLayoutEffect

Same signature as useEffect but fires synchronously after DOM mutations, before the browser paints. Use for measuring layout or imperatively updating the DOM.

import { useLayoutEffect, useRef } from "@rectify-dev/core";

const Tooltip = () => {
  const ref = useRef<HTMLDivElement>(null);
  useLayoutEffect(() => {
    console.log(ref.current?.getBoundingClientRect());
  });
  return <div ref={ref}>hover me</div>;
};

useRef

Returns a stable mutable container whose .current value persists across renders.

import { useRef } from "@rectify-dev/core";

const Input = () => {
  const ref = useRef<HTMLInputElement>(null);
  return <input ref={ref} onFocus={() => ref.current?.select()} />;
};

Callback refs are also supported:

<div ref={(node) => { /* attach */ return () => { /* cleanup */ }; }} />

useMemo

Memoises an expensive computation; recomputes only when deps change.

import { useMemo } from "@rectify-dev/core";

const List = ({ items }: { items: number[] }) => {
  const sorted = useMemo(() => [...items].sort((a, b) => a - b), [items]);
  return <ul>{sorted.map(n => <li key={n}>{n}</li>)}</ul>;
};

useCallback

Memoises a function reference; useful for stable event handler props passed to memo-wrapped children.

import { useCallback } from "@rectify-dev/core";

const Parent = () => {
  const handleClick = useCallback(() => console.log("click"), []);
  return <Child onClick={handleClick} />;
};

useId

Returns a stable, globally unique string ID that never changes for the lifetime of the component. Ideal for linking form labels to inputs.

import { useId } from "@rectify-dev/core";

const Field = ({ label }: { label: string }) => {
  const id = useId();
  return (
    <>
      <label htmlFor={id}>{label}</label>
      <input id={id} />
    </>
  );
};

Multiple calls in the same component each return a distinct ID:

const Form = () => {
  const nameId = useId();  // ":r0:"
  const emailId = useId(); // ":r1:"
  // ...
};

useContext / createContext

Share values through the tree without prop drilling.

import { createContext, useContext } from "@rectify-dev/core";

const ThemeContext = createContext<"light" | "dark">("light");

const App = () => (
  <ThemeContext.Provider value="dark">
    <Page />
  </ThemeContext.Provider>
);

const Page = () => {
  const theme = useContext(ThemeContext);
  return <div className={theme}>...</div>;
};

Class Components

Extend Component<Props, State> to write class-based components.

import { Component } from "@rectify-dev/core";

interface Props { title: string }
interface State { open: boolean }

class Accordion extends Component<Props, State> {
  state = { open: false };

  componentDidMount() {
    console.log("mounted");
  }

  componentDidUpdate(prevProps: Props, prevState: State) {
    // prevProps and prevState are correct snapshots from before the render
    if (prevState.open !== this.state.open) {
      console.log("toggled", this.state.open);
    }
  }

  componentWillUnmount() {
    console.log("unmounted");
  }

  shouldComponentUpdate(nextProps: Props, nextState: State) {
    // return false to skip re-render
    return nextState.open !== this.state.open || nextProps.title !== this.props.title;
  }

  render() {
    return (
      <div>
        <button onClick={() => this.setState({ open: !this.state.open })}>
          {this.props.title}
        </button>
        {this.state.open && <div>content</div>}
      </div>
    );
  }
}

setState accepts a partial state object or an updater function:

this.setState({ count: 42 });
this.setState(prev => ({ count: prev.count + 1 }));

memo

Prevents re-renders when props are shallowly equal.

import { memo } from "@rectify-dev/core";

const Item = memo(({ name }: { name: string }) => <li>{name}</li>);

// Custom comparator
const Item = memo(
  ({ value }: { value: number }) => <span>{value}</span>,
  (prev, next) => prev.value === next.value,
);

lazy + Suspense

Code-split a component and show a fallback while it loads.

import { lazy, Suspense } from "@rectify-dev/core";

const HeavyChart = lazy(() => import("./HeavyChart"));

const Dashboard = () => (
  <Suspense fallback={<div>Loading chart...</div>}>
    <HeavyChart data={data} />
  </Suspense>
);

Multiple lazy components under one Suspense boundary are all handled — the fallback shows until every child resolves.


Fragment

Group children without adding a DOM node.

import { Fragment } from "@rectify-dev/core";

const Rows = () => (
  <Fragment>
    <tr><td>A</td></tr>
    <tr><td>B</td></tr>
  </Fragment>
);

// Shorthand (requires Babel / TSX support)
const Rows = () => (
  <>
    <tr><td>A</td></tr>
    <tr><td>B</td></tr>
  </>
);

TypeScript

All JSX element attributes, event handlers, CSS properties, and ARIA attributes are fully typed. Import convenience types directly from the package:

import type {
  FC,
  RectifyNode,
  CSSProperties,
  HTMLAttributes,
  InputHTMLAttributes,
  SuspenseProps,
  RefObject,
  RectifyContext,
  Reducer,
  Dispatch,
  SyntheticMouseEvent,
  SyntheticKeyboardEvent,
  // ... and all other synthetic event types
} from "@rectify-dev/core";

key prop

The key prop is accepted on every element (host and component) without appearing in the component's own props type:

items.map(item => <Row key={item.id} data={item} />);

License

MIT