The fastest way to try Crank is via the online playground.
Other links:
A framework that feels like JavaScript.
While other frameworks invent new paradigms and force you to learn framework-specific APIs, Crank embraces the language features you already know.
// Async components just work, in the browser and on servers
async function UserProfile({userId}) {
const user = await fetchUser(userId);
return <div>Hello, {user.name}!</div>;
}
// Lifecycle logic with generators feels natural
function* Timer() {
// setup goes here
let seconds = 0;
const interval = setInterval(() => this.refresh(() => seconds++), 1000);
for ({} of this) {
yield <div>Seconds: {seconds}</div>;
}
clearInterval(interval); // Cleanup just works
}- Intuitive: Use
async/awaitfor loading states andfunction*for lifecycles — no new APIs to learn - Fast: Outperforms React in benchmarks while weighing at 13.55KB with zero dependencies
- Flexible: Write components in vanilla JavaScript with template literals, or use JSX
- Clean: State lives in function scope, lifecycle code goes where it belongs, no mysterious re-render bugs
- Future-proof: Built on stable JavaScript features, not evolving framework abstractions
Other frameworks claim to be "just JavaScript" but ask you to think in terms of effects, dependencies, and framework-specific patterns. Crank actually delivers on that promise — your components are literally just functions that use standard JavaScript control flow.
The Crank package is available on NPM through the @b9g organization (short for bikeshaving).
npm i @b9g/crank/** @jsxImportSource @b9g/crank */
import {renderer} from "@b9g/crank/dom";
renderer.render(
<p>This paragraph element is transpiled with the automatic transform.</p>,
document.body,
);Starting in version 0.5, the Crank package ships a tagged template
function which provides similar syntax and semantics
as the JSX transform. This allows you to write Crank components in vanilla
JavaScript.
import {jsx} from "@b9g/crank/standalone";
import {renderer} from "@b9g/crank/dom";
renderer.render(jsx`
<p>No transpilation is necessary with the JSX template tag.</p>
`, document.body);Crank is also available on CDNs like unpkg (https://unpkg.com/@b9g/crank?module), esm.sh (https://esm.sh/@b9g/crank), and esm.run (https://esm.run/@b9g/crank) for usage in ESM-ready environments.
/** @jsx createElement */
import {createElement} from "https://unpkg.com/@b9g/crank/crank?module";
import {renderer} from "https://unpkg.com/@b9g/crank/dom?module";
renderer.render(
<div id="hello">
Running on <a href="https://unpkg.com">unpkg.com</a>
</div>,
document.body,
);import {renderer} from "@b9g/crank/dom";
function Greeting({name = "World"}) {
return (
<div>Hello {name}</div>
);
}
renderer.render(<Greeting />, document.body);function *Timer(this: Context) {
let seconds = 0;
const interval = setInterval(() => this.refresh(() => seconds++), 1000);
for ({} of this) {
yield <div>Seconds: {seconds}</div>;
}
clearInterval(interval);
}import {renderer} from "@b9g/crank/dom";
async function Definition({word}) {
// API courtesy https://dictionaryapi.dev
const res = await fetch(`https://api.dictionaryapi.dev/api/v2/entries/en/${word}`);
const data = await res.json();
if (!Array.isArray(data)) {
return <p>No definition found for {word}</p>;
}
const {phonetic, meanings} = data[0];
const {partOfSpeech, definitions} = meanings[0];
const {definition} = definitions[0];
return <>
<p>{word} <code>{phonetic}</code></p>
<p><b>{partOfSpeech}.</b> {definition}</p>
</>;
}
await renderer.render(<Definition word="framework" />, document.body);import {Fragment} from "@b9g/crank";
import {renderer} from "@b9g/crank/dom";
async function LoadingIndicator() {
await new Promise(resolve => setTimeout(resolve, 1000));
return (
<div>
🐕 Fetching a good boy...
</div>
);
}
async function RandomDog({throttle = false}) {
const res = await fetch("https://dog.ceo/api/breeds/image/random");
const data = await res.json();
if (throttle) {
await new Promise(resolve => setTimeout(resolve, 2000));
}
return (
<div>
<a href={data.message} target="_blank" style="text-decoration: none; color: inherit;">
<img
src={data.message}
alt="A Random Dog"
width="300"
/>
<div>
Click to view full size
</div>
</a>
</div>
);
}
async function *RandomDogLoader({throttle}) {
// for await can be used to race component trees
for await ({throttle} of this) {
yield <LoadingIndicator />;
yield <RandomDog throttle={throttle} />;
}
}
function *RandomDogApp() {
let throttle = false;
this.addEventListener("click", (ev) => {
if (ev.target.tagName === "BUTTON") {
this.refresh(() => throttle = !throttle);
}
});
for ({} of this) {
yield (
<div>
<RandomDogLoader throttle={throttle} />
<div>
<button>
Show me another dog!
</button>
<div>
{throttle ? "Slow mode" : "Fast mode"}
</div>
</div>
</div>
);
}
}
renderer.render(<RandomDogApp />, document.body);The following is an incomplete list of configurations to get started with Crank.
TypeScript is a typed superset of JavaScript.
Here’s the configuration you will need to set up automatic JSX transpilation.
{
"compilerOptions": {
"jsx": "react-jsx",
"jsxImportSource": "@b9g/crank"
}
}Crank is written in TypeScript and comes with types. Refer to the guide on TypeScript for more information about Crank types.
import type {Context} from "@b9g/crank";
function *Timer(this: Context<typeof Timer>) {
let seconds = 0;
const interval = setInterval(() => this.refresh(() => seconds++), 1000);
for ({} of this) {
yield <div>Seconds: {seconds}</div>;
}
clearInterval(interval);
}Babel is a popular open-source JavaScript compiler which allows you to write code with modern syntax (including JSX) and run it in environments which do not support the syntax.
Here is how to get Babel to transpile JSX for Crank.
Automatic transform:
{
"plugins": [
"@babel/plugin-syntax-jsx",
[
"@babel/plugin-transform-react-jsx",
{
"runtime": "automatic",
"importSource": "@b9g/crank",
"throwIfNamespace": false,
"useSpread": true
}
]
]
}ESLint is a popular open-source tool for analyzing and detecting problems in JavaScript code.
Crank provides a configuration preset for working with ESLint under the package name eslint-plugin-crank.
npm i eslint eslint-plugin-crankIn your eslint configuration:
{
"extends": ["plugin:crank/recommended"]
}Astro.js is a modern static site builder and framework.
Crank provides an Astro integration to enable server-side rendering and client-side hydration with Astro.
npm i astro-crankIn your astro.config.mjs.
import {defineConfig} from "astro/config";
import crank from "astro-crank";
// https://astro.build/config
export default defineConfig({
integrations: [crank()],
});import {
createElement,
Fragment,
Copy,
Portal,
Raw,
Text,
Context
} from "@b9g/crank";
import {renderer} from "@b9g/crank/dom"; // Browser DOM
import {renderer} from "@b9g/crank/html"; // Server-side HTML
import {jsx, html} from "@b9g/crank/standalone"; // Template tag (no build)
import {Suspense, SuspenseList, lazy} from "@b9g/crank/async";Function Component - Stateless
function Greeting({name = "World"}) {
return <div>Hello {name}</div>;
}Generator Component - Stateful with function*
function* Counter() {
let count = 0;
const onclick = () => this.refresh(() => count++);
for ({} of this) {
yield <button onclick={onclick}>Count: {count}</button>;
}
}Async Component - Uses async for promises
async function UserProfile({userId}) {
const user = await fetch(`/api/users/${userId}`).then(r => r.json());
return <div>Hello, {user.name}!</div>;
}Async Generator Component - Stateful + async
async function* DataLoader({url}) {
for ({url} of this) {
const data = await fetch(url).then(r => r.json());
yield <div>{data.message}</div>;
}
}The context is available as this in components (or as 2nd parameter).
function Component(props, ctx) {
console.log(this === ctx); // true
return props.children;
}this.props - Current props (readonly)
this.isExecuting - Whether the component is currently executing
this.isUnmounted - Whether the component is unmounted
this.refresh(callback?) - Trigger re-execution
this.refresh(); // Simple refresh
this.refresh(() => count++); // With state update (v0.7+)this.schedule(callback?) - Execute after DOM is rendered
// el is whatever the component returns Node/Text/HTMLElement/null, an array of dom nodes, etc
this.schedule((el) => {
console.log("Component rendered". el.innerHTML);
});this.after(callback?) - Execute after DOM is live
// this runs after the DOM nodes have finally entered the DOM
// this is where you put things like autofocus
this.after((el) => {
console.log(el.isConnected); // true
});this.cleanup(callback?) - Execute on unmount
function* Component() {
const interval = setInterval(() => this.refresh(), 1000);
this.cleanup(() => clearInterval(interval));
for ({} of this) {
yield <div>Tick</div>;
}
}this.addEventListener(type, listener, options?) - Listen to events
this.addEventListener("click", (e) => console.log("Clicked!"));this.dispatchEvent(event) - Dispatch events
this.dispatchEvent(new CustomEvent("mybuttonclick", {
bubbles: true,
detail: {id: props.id}
}));this.provide(key, value) / this.consume(key) - Context API
// Provider
function* ThemeProvider() {
this.provide("theme", "dark");
for ({} of this) {
yield this.props.children;
}
}
// Consumer
function ThemedButton() {
const theme = this.consume("theme");
return <button class={theme}>Click me</button>;
}for ({} of this) - Render loop (sync)
function* Component() {
for ({} of this) {
yield <div>{this.props.message}</div>;
}
}for await ({} of this) - Async render loop for racing trees
async function* AsyncComponent() {
for await ({} of this) {
// Multiple yields race - whichever completes first shows
yield <Loading />;
yield <Content />;
}
}key - Unique identifier for reconciliation
<ul>{items.map(item => <li key={item.id}>{item.name}</li>)}</ul>ref - Access rendered DOM element
<audio ref={(el) => (audio = el)} />
// Forward refs through components
function MyInput({ref, ...props}) {
return <input ref={ref} {...props} />;
}copy - Prevent/control re-rendering
// Boolean: prevent rendering when truthy
<li copy={!el.hasChanged}>{el.value}</li>
// string: copy specific props
<input copy="!value" type="text" /> // Copy all except value
<div copy="class id" /> // Copy only class and id
<div copy="children" /> // Copy childrenhydrate - Control SSR hydration
<div hydrate={false}> // Skip hydration
<Portal hydrate={true}> // Force hydration
<input hydrate="!value" /> // Hydrate all except valueclass - String or object (v0.7+)
<button class="btn active" />
<button class={{
btn: true,
'btn-active': isActive,
'btn-disabled': isDisabled
}} />style - CSS string or object
<div style="color: red; font-size: 16px" />
<div style={{"font-size": "16px", color: "blue"}} />innerHTML - Raw HTML string (
<div innerHTML="<strong>Bold</strong>" />Event Props - Lowercase event handlers
<button onclick={handler} />
<input onchange={handler} oninput={handler} />
<form onsubmit={handler} />Prop Naming - HTML-friendly names supported
<label class="my-label" for="my-id">Label</label>
// Instead of className and htmlFor<Fragment> - Render children without wrapper
import {Fragment} from "@b9g/crank";
<Fragment>
<div>Child 1</div>
<div>Child 2</div>
</Fragment>
// Or use: <>...</>
// The Fragment tag is the empty string<Copy /> - Prevent element re-rendering
import {Copy} from "@b9g/crank";
function memo(Component) {
return function* Wrapped(props) {
yield <Component {...props} />;
for (const newProps of this) {
if (equals(props, newProps)) {
yield <Copy />; // Reuse previous render
} else {
yield <Component {...newProps} />;
}
props = newProps;
}
};
}<Portal> - Render into different DOM node
import {Portal} from "@b9g/crank";
const modalRoot = document.getElementById("modal-root");
function Modal({children}) {
return (
<Portal root={modalRoot}>
<div class="modal">
{children}
</div>
</Portal>
);
}<Raw> - Insert raw HTML or DOM nodes
import {Raw} from "@b9g/crank";
function MarkdownViewer({markdown}) {
const html = marked(markdown);
return <div><Raw value={html} /></div>;
}
// Or insert DOM node
<Raw value={domNode} /><Text> - Explicit text node creation (v0.7+)
import {Text} from "@b9g/crank";
<Text value="Hello world" />
// Access Text nodes in lifecycle
function* Component() {
this.schedule((node) => {
if (node instanceof Text) {
console.log("Text node:", node);
}
});
for ({} of this) {
yield "Text content"; // Becomes a Text node
}
}lazy(loader) - Lazy-load components
import {lazy} from "@b9g/crank/async";
const LazyComponent = lazy(() => import("./MyComponent.js"));
<Suspense fallback={<div>Loading...</div>}>
<LazyComponent />
</Suspense>Suspense - Declarative loading states
import {Suspense} from "@b9g/crank/async";
<Suspense fallback={<div>Loading...</div>}>
<AsyncComponent />
</Suspense>SuspenseList - Coordinate multiple async components
import {SuspenseList} from "@b9g/crank/async";
<SuspenseList>
<Suspense fallback={<div>Loading 1...</div>}>
<Item1 />
</Suspense>
<Suspense fallback={<div>Loading 2...</div>}>
<Item2 />
</Suspense>
</SuspenseList>Mount - Code before first yield
function* Component() {
console.log("Mounting...");
const interval = setInterval(() => this.refresh(), 1000);
for ({} of this) {
yield <div>Tick</div>;
}
clearInterval(interval); // Cleanup
}Update - Code inside render loop
function* Component() {
for ({} of this) {
console.log("Updated with:", this.props);
yield <div>{this.props.message}</div>;
}
}Cleanup - Code after loop or via this.cleanup()
function* Component() {
const interval = setInterval(() => this.refresh(), 1000);
this.cleanup(() => clearInterval(interval));
for ({} of this) {
yield <div>Tick</div>;
}
}Higher-Order Components
function withLogger(Component) {
return function* WrappedComponent(props) {
console.log("Rendering with:", props);
for ({} of this) {
yield <Component {...props} />;
}
};
}Hooks
function useInterval(ctx, callback, delay) {
let interval = setInterval(callback, delay);
ctx.cleanup(() => clearInterval(interval);
return (newDelay) => {
delay = newDelay;
clearInterval(interval);
interval = setInterval(callback, delay);
};
}Context Extensions (
import {Context} from "@b9g/crank";
Context.prototype.setInterval = function(callback, delay) {
const interval = setInterval(callback, delay);
this.cleanup(() => clearInterval(interval));
};
// Use in components
function* Timer() {
let seconds = 0;
this.setInterval(() => this.refresh(() => seconds++), 1000);
for ({} of this) {
yield <div>Seconds: {seconds}</div>;
}
}Racing Components
async function* DataComponent({url}) {
for await ({url} of this) {
yield <Spinner />;
yield <Data data={data} />;
}
}import type {Context} from "@b9g/crank";
import {ComponentProps} from "@b9g/crank"; // v0.7+
// Component with typed props
interface Props {
name: string;
age?: number;
}
function Greeting({name, age}: Props) {
return <div>Hello {name}, age {age}</div>;
}
// Generator with typed context
function* Greeting(this: Context<typeof Greeting>, {name}: {name: string}) {
for ({name} of this) {
yield <div>Hello {name}</div>;
}
}
// Extract component props type
function Button({variant}: {variant: "primary" | "secondary"}) {
return <button class={`btn-${variant}`}>Click</button>;
}
type ButtonProps = ComponentProps<typeof Button>;For comprehensive guides and documentation, visit crank.js.org