Package @reatom/jsx
JSX
An EXPERIMENTAL JSX runtime for building high-performance reactive DOM UIs with @reatom/core.
Features
- β‘οΈ Zero re-renders: reactive bindings update DOM directly
- π§© Native elements:
<div />returns a real DOM node - π No extra build step: just TSX and TypeScript support
- π― Tiny footprint: ~3KB runtime (plus a minimal core)
- π¨ Built-in styles: efficient via CSS variables
Installation
npm install @reatom/core @reatom/jsxSet up TypeScript to use the JSX runtime:
tsconfig.json:
{ "compilerOptions": { "jsx": "preserve", "jsxImportSource": "@reatom/jsx" }}For Vite users:
vite.config.js:
import { defineConfig } from 'vite'
export default defineConfig({ esbuild: { jsxFactory: 'h', jsxFragment: 'hf', jsxInject: `import { h, hf } from "@reatom/jsx"`, },})Framework compatibility
You can integrate @reatom/jsx into existing React or other JSX projects.
- Create a separate package for Reatom-based components
- Extend(https://www.typescriptlang.org/tsconfig#extends) your base
tsconfig.jsonwith JSX config - In each file, declare JSX pragma manually:
// @jsxRuntime classic// @jsx himport { h } from '@reatom/jsx'This enables you to gradually migrate or optimize parts of your app without conflict with existing tooling.
Example
π‘ See a more advanced version with dynamic entities: https://github.com/reatom/reatom/tree/v1000/examples/reatom-jsx
Define a component:
import { atom } from '@reatom/core'
const value = atom('')// Event handlers shouldn't be wrapped, Reatom take care of itconst onInput = (event: Event & { currentTarget: HTMLInputElement }) => value.set(event.currentTarget.value)
const Input = () => <input value={value} on:input={onInput} />Mount your app:
import { connectLogger, context, clearStack } from '@reatom/core'import { mount } from '@reatom/jsx'import { App } from './App'
// Disable default global context to enforce explicit context usage (recommended)clearStack()
// Create a root context for the applicationconst rootContext = context.start()
if (import.meta.env.MODE === 'development') { connectLogger()}
// Mount the app within the created contextmount(document.getElementById('app')!, <App />)Reference
This package implements a JSX factory that creates and binds native DOM elements with reactivity.
Props
JSX props are treated as follows:
- Default: set as DOM properties or attributes are used depending on the context, to ensure correct behavior and predictable outcomes.
prop:*: sets DOM properties.attr:*: sets DOM attributes.on:*: register event listeners. Functions interacting with Reatom state or actions are wrapped (wrap) automatically.
All values can be:
nullorundefined: removes DOM attribute or resets DOM propertystring,numberorboolean: sets property or attributeAtomLikeor a derived function: tracked reactively, the prop is automatically updated when dependencies change
const enabled = atom(true)const value = atom('')<input value={value} attr:type="text" prop:disabled={() => !enabled()} on:input={(event) => value.set(event.currentTarget.value)}/>Children
The children prop defines element content. It supports:
boolean,null, orundefinedβ renders nothingstringornumberβ renders textNodeβ inserts DOM node as-isAtomLikeβ reactive content
<div>{count}</div>Models
Use model:* props for two-way binding with native input controls.
Supported props:
model:value: binds thevalueproperty of inputs, useful for text inputs and<textarea>model:valueAsNumber: binds thevalueAsNumberproperty, typically used for numeric inputsmodel:checked: binds thecheckedproperty of checkboxes or radio buttons
const value = atom('')const Input = () => <input model:value={value} />Components run once on creation, so itβs safe to define atoms or any setup logic inside:
const Input = () => { const value = atom('') return <input model:value={value} />}style props
Use style={{ key: value }} for inline styles. Falsy values like false, null, and undefined remove the style.
<div style={{ top: 0, display: hidden() && 'none' }} />Avoid replacing the full style object β prefer updates via static keys:
β Avoid:
<div style={() => (flag() ? { top: 0 } : { bottom: 0 })} />β Use:
<div style={() => flag() ? { top: 0, bottom: undefined } : { top: undefined, bottom: 0 } }/>style:* props
Set individual styles via style:*:
// <div style="top: 10px; right: 0;"></div><div style:top={atom('10px')} style:right={0} style:bottom={undefined} style:left={null}></div>Values can be primitives or reactive (atom, () => string, etc.). Numbers are passed as-is (no automatic px).
class or className props
The JSX runtime automatically applies the same logic internally using reatomClassName.
/** @example <button class="button button--size-medium button--theme-primary button--is-active"></button> */<button class={[ 'button', `button--size-${props.size}`, `button--theme-${props.theme}`, { 'button--is-disabled': props.isDisabled, 'button--is-active': props.isActive() && !props.isDisabled(), },]}></button>CSS-in-JS
The css prop provides an ideal architectural balance for styling: it keeps styles colocated with the markup they affect while avoiding the coupling issues of other approaches.
Use the css prop to declare styles via tagged template literals. Dynamic values can be passed as CSS variables via css:*.
const Component = () => (<input css:size={size} css="font-size: calc(1em + var(--size) * 0.1em);"></div>)This will be compiled to:
<div class="Component_ab12cd" style="--size: 3"></div>Behind the scenes, the runtime:
- Creates a scoped class name (
Component_*) - Inserts the CSS rule once
- Applies dynamic values as inline CSS variables (
--size)
Why css-prop?
Itβs important to note that Reatom doesnβt process passed styles and put it as is to the DOM, but you may use native nesting, so DX is still perfect.
Unlike css-modules or SFC style tags, the css prop doesnβt force you to duplicate component structure across separate files. Unlike utility-first frameworks (Tailwind), it uses standard CSS without additional mental overhead. Unlike styled-components or Linaria, it has zero runtime overhead and no build complexity.
The key advantage is architectural: inline styles naturally encourage better code organization. When a component grows large with many styles, the path of least resistance is to extract the entire component (keeping styles inline), not just move styles to a separate file. This maintains high cohesion and low coupling β the foundation of maintainable architecture.
Tip: wrapping logic in components improves generated class readability and traceability.
The example below is correctly formatted by Prettier and has syntax highlighting provided by the vscode-styled-components extension.
Components
Components are plain functions that return DOM elements. They are stateless, have no lifecycle, and are evaluated only once β at the moment of mounting.
Thereβs no virtual tree or diffing β everything happens directly in the DOM.
Use dynamic atoms for reactive lists:
const list = atom([ <li>1</li>, <li>2</li>,])
const add = () => list.set((state) => [ ...state, <li>{state.length + 1}</li>,])
<div> <button on:click={add}>Add</button> {computed(() => <ul>{list().map((item) => item)}</ul>)}</div>β Do not reuse elements
JSX elements are real DOM nodes, not virtual descriptions. Reusing the same element instance multiple times leads to incorrect rendering β it will only appear in the last place it was inserted. Each JSX element must be created fresh where itβs used.
β Incorrect
const shared = <span>{valueAtom}</span>
<> <div>{shared}</div> <p>{shared}</p></>Result:
<div></div><p> <span>text</span></p>Only the last usage is rendered β the first one is silently dropped.
β Correct
const Shared = () => <span>{valueAtom}</span>
<> <div><Shared /></div> <p><Shared /></p></>Result:
<div><span>Hello</span></div><p><span>Hello</span></p>Each call creates a unique element with its own lifecycle and subscriptions.
$spread prop
Use $spread to declaratively bind multiple props or attributes at once. The object can be reactive (e.g., atom, () => obj) and will update automatically.
<div $spread={computed(() => valid() ? { disabled: true, readonly: true } : { disabled: false, readonly: false }, )}/>Always include all relevant keys on each update to avoid stale DOM state.
SVG
To create SVG elements, use the svg: namespace prefix to the tag name.
<svg:svg viewBox="0 0 24 24"> <svg:path d="..." /></svg:svg>SVG elements are rendered as native DOM nodes in the SVG namespace.
If you need to inject raw SVG markup, use one of the following approaches:
Option 1: parse from string
const SvgIcon = ({ svg }: { svg: string }) => new DOMParser() .parseFromString(svg, 'image/svg+xml') .children.item(0) as SVGElementOption 2: use prop:outerHTML
const SvgIcon = ({ svg }: { svg: string }) => <svg:svg prop:outerHTML={svg} />ref props
Use the ref prop to get access to the DOM element and register mount/unmount side effects.
<button ref={(el) => { el.focus() return (el) => el.blur() }}/>Unmount callbacks are called automatically in reverse order β from child to parent:
<div ref={() => { console.log('mount parent') return () => console.log('unmount parent') }}> <span ref={() => { console.log('mount child') return () => console.log('unmount child') }} /></div>Console output:
mount childmount parentunmount childunmount parentUtilities
reatomClassName class names reactivity
reatomClassName works similarly to clsx or classnames, but with full reactivity support β you can pass strings, arrays, objects, functions, and atoms. All values are automatically converted into a class string that updates when dependencies change.
- Strings are added directly.
- Arrays are flattened and processed recursively.
- Objects add a key as a class if its value is truthy.
- Functions and atoms are tracked reactively and automatically recomputed on changes.
reatomClassName('my-class') // Computed<'my-class'>
reatomClassName(['first', atom('second')]) // Computed<'first second'>
/** * The `active` class will be determined by the truthiness of the data property * `isActiveAtom`. */reatomClassName({ active: isActiveAtom }) // Computed<'active' | ''>
reatomClassName(() => (isActiveAtom() ? 'active' : undefined)) // Computed<'active' | ''>The reatomClassName function supports various complex data combinations, making it easier to declaratively describe classes for complex UI components.
/** * @example * Computed<'button button--size-medium button--theme-primary button--is-active'> */reatomClassName([ 'button', `button--size-${props.size}`, `button--theme-${props.theme}`, { 'button--is-disabled': props.isDisabled, 'button--is-active': props.isActive() && !props.isDisabled(), },])css template literal
You can import css function from @reatom/jsx to describe separate css-in-js styles with syntax highlight and Prettier support. Also, this function skips all falsy values, except 0.
import { css } from '@reatom/jsx'
const styles = css` color: red; background: blue; ${somePredicate && 'border: 0;'}`You can use this with the
cssorstyleprops.
<Bind> component
You can use <Bind> component to use all @reatom/jsx features on top of existed element. For example, there are some library, which creates an element and returns it to you and you want to add some reactive properties to it.
import { Bind } from '@reatom/jsx'
const MyComponent = () => { const container = new SomeLibrary()
return ( <Bind element={container} class={computed(() => (visible() ? 'active' : 'disabled'))} /> )}TypeScript
JSX components in @reatom/jsx are plain functions and integrate seamlessly with TypeScript.
Typing component props
If you want to define props for a specific HTML element you should use it name in the type name, like in the code below.
import { type JSX } from '@reatom/jsx'
// allow only plain data typesinterface InputProps extends JSX.InputHTMLAttributes { defaultValue?: string}// allow plain data types and atomstype InputProps = JSX.IntrinsicElements['input'] & { defaultValue?: string}
const Input = ({ defaultValue, ...props }: InputProps) => { props.value ??= defaultValue return <input {...props} />}Use
JSX.IntrinsicElements['tagName']to get the correct typing for a given element (input,button,div, etc).
Typing event handlers
You can annotate event handlers explicitly with built-in types.
const Form = () => { const handleSubmit = (event: Event) => { event.preventDefault() }
const handleInput = (event: JSX.InputEvent) => { const value: number = event.currentTarget.valueAsNumber // e.g. valueAtom.set(value) }
const handleSelect = (event: JSX.TargetedEvent<HTMLSelectElement>) => { const value: string = event.currentTarget.value // e.g. selectAtom.set(value) }
return ( <form on:submit={handleSubmit}> <input on:input={handleInput} /> <select on:input={handleSelect} /> </form> )}Extending JSX typings
You may have custom elements that youβd like to use in JSX, or you may wish to add additional attributes to all HTML elements to work with a particular library. To do this, you will need to extend the IntrinsicElements or HTMLAttributes interfaces, respectively, so that TypeScript is aware and can provide correct type information.
Add new intrinsic elements
function MyComponent() { return <loading-bar showing /> // ~~~~~~~~~~~ // π₯ Property 'loading-bar' does not exist...}To fix:
declare global { namespace JSX { interface IntrinsicElements { 'loading-bar': { showing?: boolean | null | undefined } } }}
// This empty export is important! It tells TS to treat this as a moduleexport {}Add custom HTML attributes
function MyComponent() { return <div custom="value" /> // ~~~~~~ // π₯ Property 'custom' does not exist...}To fix:
declare global { namespace JSX { interface HTMLAttributes { custom?: string | null | undefined } }}
// This empty export is important! It tells TS to treat this as a moduleexport {}Donβt forget the
export {}at the bottom β it makes the file a module so TypeScript merges types correctly.
Limitations
These features are not yet supported:
- β DOM-less SSR (you need a DOM-like environment such as linkedom)
- β Keyed lists (use linked lists instead)
Type Aliases
FC()<Props>
FC<
Props> = (props) =>JSXElement
Defined in: index.ts:30
Type Parameters
Props
Props = { }
Parameters
props
Props & object
Returns
JSXElement
JSXElement =
JSX.Element
Defined in: index.ts:28
Variables
DEBUG
DEBUG:
Atom<boolean, [boolean]>
Defined in: index.ts:51
DOM
DOM:
Atom<Window& typeofglobalThis, [Window& typeofglobalThis]>
Defined in: index.ts:49
stylesheet
stylesheet:
Atom<CSSStyleSheet, [CSSStyleSheet]>
Defined in: index.ts:61
Note
Create style tag for support oldest browser.
See
- https://developer.mozilla.org/en-US/docs/Web/API/CSSStyleSheet/CSSStyleSheet
- https://developer.mozilla.org/en-US/docs/Web/API/Document/adoptedStyleSheets
- https://measurethat.net/Benchmarks/Show/5920
Functions
Bind()
Bind<
T>(props):T
Defined in: index.ts:627
Type Parameters
T
T extends Element
Parameters
props
object & AttributesAtomMaybe<Partial<Omit<T, "children">> & DOMAttributes<T>>
Returns
T
css()
css(
strings, β¦values):string
Defined in: index.ts:619
This simple utility needed only for syntax highlighting and it just concatenates all passed strings.
Falsy values are ignored, except for 0.
Parameters
strings
TemplateStringsArray
values
β¦any[]
Returns
string
h()
h(
tag,props, β¦children):Element
Defined in: index.ts:501
Parameters
tag
any
props
Rec
children
β¦any[]
Returns
Element
hf()
hf():
void
Defined in: index.ts:561
Fragment.
Returns
void
Todo
Describe a function as a component.
mount()
mount(
target,child):void
Defined in: index.ts:563
Parameters
target
Element
child
Element
Returns
void
reatomClassName()
reatomClassName(
value,name):Computed<string>
Defined in: utils.ts:7
Parameters
value
ClassNameValue
name
string = ...
Returns
Computed<string>