A powerful JSX compiler and Vite plugin that transforms JSX into native Lit templates at compile time with zero runtime overhead.
lit-jsx brings the familiar JSX syntax to the Lit ecosystem while maintaining the performance and capabilities that make Lit exceptional.
// Write familiar JSX
function TodoItem({ todo, onToggle, onDelete }) {
return (
<div classList={{ completed: todo.completed }}>
<input
type="checkbox"
checked={as.prop(todo.completed)}
disabled={as.bool(todo.readonly)}
on-change={() => onToggle(todo.id)}
/>
<span>{todo.text}</span>
<button on-click={() => onDelete(todo.id)}>Delete</button>
</div>
);
}
// Compiles to efficient Lit templates
html`
<div class=${classMap({ completed: todo.completed })}>
<input
type="checkbox"
.checked=${todo.completed}
?disabled=${todo.readonly}
@change=${() => onToggle(todo.id)}
/>
<span>${todo.text}</span>
<button @click=${() => onDelete(todo.id)}>Delete</button>
</div>
`
For
, Show
, and Choose
components for common rendering patternsnpm install @arcmantle/lit-jsx lit-html
# or
pnpm add @arcmantle/lit-jsx lit-html
# or
yarn add @arcmantle/lit-jsx lit-html
// vite.config.ts
import { litJsx } from '@arcmantle/lit-jsx/vite-jsx-preserve';
import { defineConfig } from 'vite';
export default defineConfig({
plugins: [
litJsx({
legacyDecorators: true
})
],
});
{
"compilerOptions": {
"jsx": "preserve",
"jsxImportSource": "@arcmantle/lit-jsx"
}
}
import { LitElement } from 'lit';
import { For, Show, Choose } from '@arcmantle/lit-jsx';
export class MyComponent extends LitElement {
render() {
return (
<div>
<h1>Hello lit-jsx!</h1>
<p>JSX compiled to Lit templates with utility components</p>
<Show when={this.items.length > 0}>
{(length) => (
<For each={this.items}>
{(item, index) => <div>{item}</div>}
</For>
)}
</Show>
</div>
);
}
}
lit-jsx needs to know which elements are custom elements or dynamic tags to compile them correctly. By default, custom elements and dynamic tags must be identified using the static
attribute:
// ✅ Custom elements - requires static attribute
<my-custom-element static prop={value}>Content</my-custom-element>
<MyButton static onClick={handleClick}>Click me</MyButton>
// ✅ Dynamic tags - requires static attribute
const Tag = toTag('button');
<Tag static onClick={handleClick}>Dynamic button</Tag>
// ✅ Regular HTML elements - no static attribute needed
<div className="container">
<button onClick={handleClick}>Regular button</button>
</div>
Alternative: Enable automatic import discovery by setting useImportDiscovery: true
in your Vite config to restore the previous behavior where the compiler automatically detects custom elements.
lit-jsx provides precise control over how values are bound to elements:
<input value={userInput} />
// Compiles to: <input value=${userInput} />
<input value={as.prop(userInput)} />
// or
<input value={prop => userInput} />
// Compiles to: <input .value=${userInput} />
<input disabled={as.bool(isDisabled)} />
// or
<input disabled={bool => isDisabled} />
// Compiles to: <input ?disabled=${isDisabled} />
<div classList={{ active: isActive, disabled: !isEnabled }}>
// Compiles to: <div class=${classMap({ active: isActive, disabled: !isEnabled })}>
<div styleList={{ color: textColor, fontSize: '16px' }}>
// Compiles to: <div style=${styleMap({ color: textColor, fontSize: '16px' })}>
<button on-click={handleClick} on-dblclick={handleDoubleClick}>
// Compiles to: <button @click=${handleClick} @dblclick=${handleDoubleClick}>
<input ref={inputRef} />
// Compiles to: <input ${ref(inputRef)} />
<div directive={myDirective()} />
// Compiles to: <div ${myDirective()} />
// Multiple directives as an array
<div directive={[directive1(), directive2()]} />
// Compiles to: <div ${directive1()} ${directive2()} />
<div {...dynamicProps} />
// Compiles to: <div ${__$rest(dynamicProps)} />
lit-jsx fully supports function components that return JSX:
const Button = ({ label, variant = 'primary', disabled, onClick, children }) => (
<button
classList={{ [`btn-${variant}`]: true, 'disabled': disabled }}
disabled={as.bool(disabled)}
on-click={onClick}
>
{label || children}
</button>
);
// Usage
<Button
label="Submit"
variant="success"
onClick={handleSubmit}
disabled={isLoading}
/>
Function components:
children
via the children
propertyUse toComponent()
for type-safe custom element components:
import { toComponent } from '@arcmantle/lit-jsx';
import { LitElement } from 'lit';
export class MyButton extends LitElement {
static tagName = 'my-button';
render() {
return html`<button><slot></slot></button>`;
}
}
const MyButtonComponent = toComponent(MyButton);
// Usage with type safety - requires static attribute to identify as custom element
<MyButtonComponent
static
class="custom-btn"
onClick={() => console.log('Clicked!')}
/>
For custom elements with generic types, you must use explicit type annotations due to TypeScript's inability to forward generic parameters through toComponent()
:
import { toComponent } from '@arcmantle/lit-jsx';
import { LitElement } from 'lit';
class DataList<T> extends LitElement {
static tagName = 'data-list';
@property({ type: Array }) items: T[] = [];
@property() renderItem?: (item: T) => TemplateResult;
render() {
return html`
<ul>
${this.items.map(item => html`
<li>${this.renderItem ? this.renderItem(item) : item}</li>
`)}
</ul>
`;
}
}
// ❌ This won't work - TypeScript can't forward the generic parameter
// const DataListComponent = toComponent(DataList);
// ✅ Required: Explicit type annotation to preserve generic functionality
const DataListComponent: <T>(props: JSX.JSXProps<DataList<T>>) => string =
toComponent(DataList);
// Usage with explicit type parameter
<DataListComponent<User>
static
items={users}
renderItem={(user) => `${user.name} (${user.email})`}
/>
// Type inference works for the renderItem callback
<DataListComponent<Product>
static
items={products}
renderItem={(product) => `${product.name} - $${product.price}`}
/>
Important: The explicit type annotation <T>(props: JSX.JSXProps<DataList<T>>) => string
is required for generic custom elements. Without this annotation, TypeScript will lose the generic type information and you won't be able to use type parameters like <User>
or <Product>
when using the component.
When writing functions that accept custom element components as parameters, you must use proper TypeScript typing:
import { toComponent, ToComponent } from '@arcmantle/lit-jsx';
// ✅ Using ToComponent type annotation
function renderWithWrapper(Component: ToComponent) {
return ({ children, ...props }) => (
<div class="wrapper">
<Component static {...props}>{children}</Component>
</div>
);
}
// ✅ Using typeof with a toComponent() reference
const MyButton = toComponent(MyButtonElement);
function enhanceButton(ButtonComponent: typeof MyButton) {
return ({ enhanced, ...props }) => (
<ButtonComponent static class={enhanced ? 'enhanced' : ''} {...props} />
);
}
// ❌ This won't work - compiler can't detect the custom element
function renderComponent(Component: any) {
return <Component>Content</Component>; // Error: Component not recognized
}
Important: Without proper typing (ToComponent
or typeof
reference), the compiler cannot determine that a parameter represents a custom element component, which will result in compilation errors.
lit-jsx supports dynamic element types using the toTag()
helper:
import { toTag } from '@arcmantle/lit-jsx';
function ActionElement({ href, children }) {
const Tag = toTag(href ? 'a' : 'button');
return (
<Tag static href={href} class="action-element">
{children}
</Tag>
);
}
The compiler automatically detects when toTag()
is used and optimizes the template accordingly.
When writing functions that accept dynamic tag parameters, you must use proper TypeScript typing to ensure the compiler correctly identifies them:
import { toTag, ToTag } from '@arcmantle/lit-jsx';
// ✅ Using ToTag type annotation
function createWrapper(TagName: ToTag) {
return ({ children, ...props }) => (
<TagName static {...props}>{children}</TagName>
);
}
// ✅ Using typeof with a toTag() reference
const ButtonTag = toTag('button');
function createButton(Element: typeof ButtonTag) {
return ({ label, ...props }) => (
<Element static {...props}>{label}</Element>
);
}
// ❌ This won't work - compiler can't detect the dynamic tag
function createElement(TagName: string) {
return <TagName>Content</TagName>; // Error: TagName not recognized
}
Important: Without proper typing, the compiler cannot determine that a parameter represents a dynamic tag, which will result in compilation errors.
lit-jsx provides utility components that enhance common patterns and integrate seamlessly with Lit directives:
The For
component provides a declarative way to render lists with optional keys and separators:
import { For } from '@arcmantle/lit-jsx';
// Basic list rendering
<For each={users}>
{(user, index) => (
<div class="user-item">
{index + 1}. {user.name}
</div>
)}
</For>
// With key function for efficient updates
<For each={todos} key={(todo) => todo.id}>
{(todo, index) => (
<li classList={{ completed: todo.completed }}>
{todo.text}
</li>
)}
</For>
// With separators between items
<For each={breadcrumbs} separator={<span> / </span>}>
{(crumb, index) => (
<a href={crumb.url}>{crumb.label}</a>
)}
</For>
The For
component automatically uses lit-html's optimized directives:
map
directive for simple iterationrepeat
directive for efficient updates when items changejoin
directive to insert elements between itemsThe Show
component provides type-safe conditional rendering with optional fallback:
import { Show } from '@arcmantle/lit-jsx';
// Simple conditional rendering
<Show when={user}>
{(user) => (
<div class="welcome">
Welcome back, {user.name}!
</div>
)}
</Show>
// With fallback content
<Show when={currentUser}>
{[
(user) => (
<div class="user-panel">
<img src={user.avatar} alt={user.name} />
<span>{user.name}</span>
</div>
),
() => (
<div class="login-prompt">
<button>Sign In</button>
</div>
)
]}
</Show>
// Conditional rendering with complex conditions
<Show when={items.length > 0}>
{(length) => (
<div class="item-count">
Found {length} items
</div>
)}
</Show>
The Show
component uses lit-html's when
directive internally and provides strong TypeScript inference for the truthy value.
The Choose
component enables clean switch-like conditional rendering with multiple condition-output pairs:
import { Choose } from '@arcmantle/lit-jsx';
// Multiple conditions based on a value
<Choose value={status}>
{[
(status) => status === 'loading',
() => (
<div class="loading">
<spinner-icon static></spinner-icon>
Loading...
</div>
)
]}
{[
(status) => status === 'error',
(status) => (
<div class="error">
Error: {status}
</div>
)
]}
{[
(status) => status === 'success',
(status) => (
<div class="success">
Operation completed successfully!
</div>
)
]}
{[
() => true, // Default case
(status) => (
<div class="unknown">
Unknown status: {status}
</div>
)
]}
</Choose>
// Without a value (boolean conditions)
<Choose>
{[
() => user.isAdmin,
() => <admin-panel static></admin-panel>
]}
{[
() => user.isModerator,
() => <moderator-panel static></moderator-panel>
]}
{[
() => true, // Default case
() => <user-panel static></user-panel>
]}
</Choose>
The Choose
component evaluates conditions in order and renders the first matching case, similar to a switch statement but as an expression.
These components work seamlessly together for complex rendering scenarios:
import { For, Show, Choose } from '@arcmantle/lit-jsx';
@customElement('user-dashboard')
export class UserDashboard extends LitElement {
@property({ type: Array }) users = [];
@property() currentUser = null;
@property() viewMode = 'list';
render() {
return (
<div class="dashboard">
{/* Conditional user greeting */}
<Show when={this.currentUser}>
{(user) => (
<header class="welcome">
Welcome back, {user.name}!
</header>
)}
</Show>
{/* Dynamic view rendering based on mode */}
<Choose value={this.viewMode}>
{[
(mode) => mode === 'grid',
() => (
<div class="user-grid">
<For each={this.users} key={(user) => user.id}>
{(user) => (
<div class="user-card">
<img src={user.avatar} alt={user.name} />
<h3>{user.name}</h3>
<p>{user.role}</p>
</div>
)}
</For>
</div>
)
]}
{[
(mode) => mode === 'list',
() => (
<div class="user-list">
<For each={this.users} separator={<hr />}>
{(user, index) => (
<div class="user-row">
<span class="user-index">{index + 1}.</span>
<span class="user-name">{user.name}</span>
<span class="user-role">{user.role}</span>
</div>
)}
</For>
</div>
)
]}
{[
() => true, // Default case
(mode) => (
<div class="error">
Unknown view mode: {mode}
</div>
)
]}
</Choose>
{/* Conditional empty state */}
<Show when={this.users.length === 0}>
{() => (
<div class="empty-state">
<p>No users found</p>
<button on-click={this.loadUsers}>Load Users</button>
</div>
)}
</Show>
</div>
);
}
}
lit-jsx works seamlessly with all Lit directives:
import { when } from 'lit-html/directives/when.js';
import { repeat } from 'lit-html/directives/repeat.js';
import { guard } from 'lit-html/directives/guard.js';
return (
<div>
{when(condition, () => <p>Conditional content</p>)}
{repeat(items, item => item.id, item => (
<li key={item.id}>{item.name}</li>
))}
{guard([expensiveData], () => (
<ExpensiveComponent data={expensiveData} />
))}
</div>
);
@customElement('todo-list')
export class TodoList extends LitElement {
@property({ type: Array }) items = [];
@state() private newItemText = '';
@state() private filter = 'all';
private inputRef = createRef();
get filteredItems() {
switch (this.filter) {
case 'active': return this.items.filter(item => !item.completed);
case 'completed': return this.items.filter(item => item.completed);
default: return this.items;
}
}
addItem() {
if (this.newItemText.trim()) {
this.items = [...this.items, {
id: Date.now(),
text: this.newItemText,
completed: false
}];
this.newItemText = '';
this.inputRef.value?.focus();
}
}
render() {
return (
<div class="todo-container">
<h1>Todo List</h1>
<div class="add-form">
<input
ref={this.inputRef}
value={as.prop(this.newItemText)}
placeholder="Add new todo..."
on-input={(e) => this.newItemText = e.target.value}
on-keydown={(e) => e.key === 'Enter' && this.addItem()}
/>
<button on-click={this.addItem}>Add</button>
</div>
<div class="filters">
{['all', 'active', 'completed'].map(filterType => (
<button
classList={{ active: this.filter === filterType }}
on-click={() => this.filter = filterType}
>
{filterType}
</button>
))}
</div>
{when(this.filteredItems.length > 0, () => (
<ul class="todo-list">
{repeat(this.filteredItems, item => item.id, item => (
<TodoItem
todo={item}
onToggle={(id) => this.toggleItem(id)}
onDelete={(id) => this.deleteItem(id)}
/>
))}
</ul>
), () => (
<p class="empty-state">No items to show</p>
))}
</div>
);
}
}
import { litJsx } from '@arcmantle/lit-jsx/vite';
export default defineConfig({
plugins: [
litJsx({
legacyDecorators: true,
useCompiledTemplates: true, // Default: true - enables compiled templates for better performance
useImportDiscovery: false, // Default: false - when false, requires 'static' attribute for custom elements
}),
],
});
Starting in v1.0.33, import discovery is disabled by default. This means:
static
attributeuseImportDiscovery: true
in the plugin optionsWhy this change? The static attribute approach provides better performance, more predictable compilation, and clearer intent in your JSX code.
The static
attribute tells the compiler that an element is a custom element or dynamic tag:
// ✅ New default way - using static attribute
<MyButton static>Click me</MyButton>
<MyCustomElement static prop={value}>Content</MyCustomElement>
// ✅ For dynamic tags with toTag()
const Tag = toTag(href ? 'a' : 'button');
<Tag static href={href}>Dynamic element</Tag>
// ❌ Old way - no longer works by default
<MyButton>Click me</MyButton> // Treated as regular HTML element
// ✅ To restore old behavior, enable import discovery
// vite.config.ts: litJsx({ useImportDiscovery: true })
Compiled templates are now enabled by default (useCompiledTemplates: true
) for better performance. The compiler intelligently skips static compilation when children contain dynamic expressions that aren't statically known to be JSX elements.
lit-jsx automatically detects and uses the appropriate template type:
html\
...`` for regular HTML elementssvg\
...`` for SVG elementsmathml\
...`` for MathML elementshtmlStatic\
...`` for dynamic tag names<div data-id={item.id} aria-label={item.description} />
as.prop()
or prop =>
)value
, checked
, selected
<input value={as.prop(formData.email)} checked={prop => isSelected} />
as.bool()
or bool =>
)disabled
, hidden
, readonly
<button disabled={as.bool(isLoading)} hidden={bool => !isVisible} />
children
appropriately for flexible compositiontoTag()
to define your dynamic tags.lit-jsx is designed to work seamlessly with the entire Lit ecosystem:
Old way (v1.0.28 and earlier):
import { toComponent } from '@arcmantle/lit-jsx';
const MyButton = toComponent(MyButtonElement);
// Worked automatically - no static attribute needed
<MyButton on-click={handleClick}>Click me</MyButton>
<my-custom-element prop={value}>Content</my-custom-element>
New way (v1.0.33+):
import { toComponent } from '@arcmantle/lit-jsx';
const MyButton = toComponent(MyButtonElement);
// Requires static attribute to identify as custom element
<MyButton static on-click={handleClick}>Click me</MyButton>
<my-custom-element static prop={value}>Content</my-custom-element>
// Or restore old behavior in vite.config.ts
litJsx({ useImportDiscovery: true })
static
attribute to all custom elements and dynamic tags in your JSXuseImportDiscovery: true
in your Vite configlit-jsx syntax is very similar to React, with a few key differences:
// React
<button onClick={handler} className="btn" />
// lit-jsx
<button on-click={handler} class="btn" />
// Lit html
html`<div class=${classMap(classes)}>${content}</div>`
// lit-jsx
<div classList={classes}>{content}</div>
Contributions, issues or requests are welcome!
Apache-2.0